From 68bce5a3ff95a82a66f0a934bb8fa548cb6834ba Mon Sep 17 00:00:00 2001 From: jJRahnama Date: Thu, 7 Jan 2021 09:53:41 -0800 Subject: [PATCH 01/13] Removing BinaryFormatter from NetFx --- .../Microsoft/Data/SqlClient/SqlDependency.cs | 83 +++++++++---------- .../tests/FunctionalTests/SqlExceptionTest.cs | 5 +- tools/props/Versions.props | 6 +- 3 files changed, 47 insertions(+), 47 deletions(-) diff --git a/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs b/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs index 52bcec0599..b2918c10c5 100644 --- a/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs +++ b/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs @@ -241,29 +241,33 @@ private static void InvokeCallback(object eventContextPair) // END EventContextPair private class. // ---------------------------------------- - // ---------------------------------------- - // Private class for restricting allowed types from deserialization. - // ---------------------------------------- - private class SqlDependencyProcessDispatcherSerializationBinder : SerializationBinder + //----------------------------------------------- + // Private Class to add ObjRef as DataContract + //----------------------------------------------- + [SecurityPermission(SecurityAction.Assert, Flags = SecurityPermissionFlag.RemotingConfiguration)] + [DataContract] + private class SqlClientObjRef : IExtensibleDataObject { - public override Type BindToType(string assemblyName, string typeName) + [DataMember] + private static ObjRef SqlObjRef; + + public SqlClientObjRef(SqlDependencyProcessDispatcher dispatcher) { - // Deserializing an unexpected type can inject objects with malicious side effects. - // If the type is unexpected, throw an exception to stop deserialization. - if (typeName == nameof(SqlDependencyProcessDispatcher)) - { - return typeof(SqlDependencyProcessDispatcher); - } - else - { - throw new ArgumentException("Unexpected type", nameof(typeName)); - } + SqlObjRef = RemotingServices.Marshal(dispatcher); + } + + private ExtensionDataObject _extensionData_Value; + + public ExtensionDataObject ExtensionData + { + get => _extensionData_Value; + set => _extensionData_Value = value; } } - // ---------------------------------------- - // END SqlDependencyProcessDispatcherSerializationBinder private class. - // ---------------------------------------- + // ------------------------------------------ + // End SqlClientObjRef private class. + // ------------------------------------------- // ---------------- // Instance members @@ -306,10 +310,9 @@ public override Type BindToType(string assemblyName, string typeName) private static readonly string _typeName = (typeof(SqlDependencyProcessDispatcher)).FullName; // ----------- - // BID members + // EventSource members // ----------- - private readonly int _objectID = System.Threading.Interlocked.Increment(ref _objectTypeCount); private static int _objectTypeCount; // EventSource Counter internal int ObjectID @@ -336,7 +339,7 @@ public SqlDependency(SqlCommand command) : this(command, null, SQL.SqlDependency } /// - [System.Security.Permissions.HostProtectionAttribute(ExternalThreading = true)] + [HostProtection(ExternalThreading = true)] public SqlDependency(SqlCommand command, string options, int timeout) { long scopeID = SqlClientEventSource.Log.TryNotificationScopeEnterEvent(" {0}, options: '{1}', timeout: '{2}'", ObjectID, options, timeout); @@ -597,11 +600,13 @@ private static void ObtainProcessDispatcher() _processDispatcher = dependency.SingletonProcessDispatcher; // Set to static instance. // Serialize and set in native. - ObjRef objRef = GetObjRef(_processDispatcher); - BinaryFormatter formatter = new BinaryFormatter(); - MemoryStream stream = new MemoryStream(); - GetSerializedObject(objRef, formatter, stream); - SNINativeMethodWrapper.SetData(stream.GetBuffer()); // Native will be forced to synchronize and not overwrite. + using (MemoryStream stream = new MemoryStream()) + { + SqlClientObjRef objRef = new SqlClientObjRef(_processDispatcher); + DataContractSerializer formatter = new DataContractSerializer(objRef.GetType()); + GetSerializedObject(objRef, formatter, stream); + SNINativeMethodWrapper.SetData(stream.GetBuffer()); // Native will be forced to synchronize and not overwrite. + } } else { @@ -628,10 +633,12 @@ private static void ObtainProcessDispatcher() #if DEBUG // Possibly expensive, limit to debug. SqlClientEventSource.Log.TryNotificationTraceEvent(" AppDomain.CurrentDomain.FriendlyName: {0}", AppDomain.CurrentDomain.FriendlyName); #endif - BinaryFormatter formatter = new BinaryFormatter(); - MemoryStream stream = new MemoryStream(nativeStorage); - _processDispatcher = GetDeserializedObject(formatter, stream); // Deserialize and set for appdomain. - SqlClientEventSource.Log.TryNotificationTraceEvent(" processDispatcher obtained, ID: {0}", _processDispatcher.ObjectID); + using (MemoryStream stream = new MemoryStream(nativeStorage)) + { + DataContractSerializer formatter = new DataContractSerializer(typeof(SqlDependencyProcessDispatcher)); + _processDispatcher = GetDeserializedObject(formatter, stream); // Deserialize and set for appdomain. + SqlClientEventSource.Log.TryNotificationTraceEvent(" processDispatcher obtained, ID: {0}", _processDispatcher.ObjectID); + } } } @@ -639,24 +646,16 @@ private static void ObtainProcessDispatcher() // Static security asserted methods - limit scope of assert. // --------------------------------------------------------- - [SecurityPermission(SecurityAction.Assert, Flags = SecurityPermissionFlag.RemotingConfiguration)] - private static ObjRef GetObjRef(SqlDependencyProcessDispatcher _processDispatcher) - { - return RemotingServices.Marshal(_processDispatcher); - } - [SecurityPermission(SecurityAction.Assert, Flags = SecurityPermissionFlag.SerializationFormatter)] - private static void GetSerializedObject(ObjRef objRef, BinaryFormatter formatter, MemoryStream stream) + private static void GetSerializedObject(SqlClientObjRef objRef, DataContractSerializer formatter, MemoryStream stream) { - formatter.Serialize(stream, objRef); + formatter.WriteObject(stream, objRef); } [SecurityPermission(SecurityAction.Assert, Flags = SecurityPermissionFlag.SerializationFormatter)] - private static SqlDependencyProcessDispatcher GetDeserializedObject(BinaryFormatter formatter, MemoryStream stream) + private static SqlDependencyProcessDispatcher GetDeserializedObject(DataContractSerializer formatter, MemoryStream stream) { - // Use a custom SerializationBinder to restrict deserialized types to SqlDependencyProcessDispatcher. - formatter.Binder = new SqlDependencyProcessDispatcherSerializationBinder(); - object result = formatter.Deserialize(stream); + object result = formatter.ReadObject(stream); Debug.Assert(result.GetType() == typeof(SqlDependencyProcessDispatcher), "Unexpected type stored in native!"); return (SqlDependencyProcessDispatcher)result; } diff --git a/src/Microsoft.Data.SqlClient/tests/FunctionalTests/SqlExceptionTest.cs b/src/Microsoft.Data.SqlClient/tests/FunctionalTests/SqlExceptionTest.cs index 97cd1909ab..599735fb18 100644 --- a/src/Microsoft.Data.SqlClient/tests/FunctionalTests/SqlExceptionTest.cs +++ b/src/Microsoft.Data.SqlClient/tests/FunctionalTests/SqlExceptionTest.cs @@ -4,6 +4,7 @@ using System; using System.IO; +using System.Runtime.Serialization; using System.Runtime.Serialization.Formatters.Binary; using Newtonsoft.Json; using Xunit; @@ -33,9 +34,9 @@ public void SerializationTest() Assert.Equal(e.StackTrace, sqlEx.StackTrace); } - [Fact] - [ActiveIssue("12161", TestPlatforms.AnyUnix)] + [ActiveIssue("12161", TargetFrameworkMonikers.Netcoreapp)] + public static void SqlExcpetionSerializationTest() { var formatter = new BinaryFormatter(); diff --git a/tools/props/Versions.props b/tools/props/Versions.props index d04745707f..94ad1186c9 100644 --- a/tools/props/Versions.props +++ b/tools/props/Versions.props @@ -52,10 +52,10 @@ - 3.1.1 + 3.1.6 5.2.6 - 15.9.0 - 3.1.0 + 16.8.3 + 3.1.1 12.0.3 4.3.0 4.3.0 From 316c036d844a33da25d90d77597eeea29997b4fd Mon Sep 17 00:00:00 2001 From: jJRahnama Date: Thu, 21 Jan 2021 10:01:56 -0800 Subject: [PATCH 02/13] review comments --- .../Microsoft/Data/SqlClient/SqlDependency.cs | 13 +++-------- .../tests/FunctionalTests/SqlExceptionTest.cs | 22 ------------------- tools/props/Versions.props | 4 ++-- 3 files changed, 5 insertions(+), 34 deletions(-) diff --git a/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs b/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs index b2918c10c5..9a268598e3 100644 --- a/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs +++ b/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs @@ -10,7 +10,6 @@ using System.Runtime.CompilerServices; using System.Runtime.Remoting; using System.Runtime.Serialization; -using System.Runtime.Serialization.Formatters.Binary; using System.Runtime.Versioning; using System.Security.Permissions; using System.Text; @@ -250,20 +249,14 @@ private static void InvokeCallback(object eventContextPair) private class SqlClientObjRef : IExtensibleDataObject { [DataMember] - private static ObjRef SqlObjRef; + private static ObjRef s_sqlObjRef; public SqlClientObjRef(SqlDependencyProcessDispatcher dispatcher) { - SqlObjRef = RemotingServices.Marshal(dispatcher); + s_sqlObjRef = RemotingServices.Marshal(dispatcher); } - private ExtensionDataObject _extensionData_Value; - - public ExtensionDataObject ExtensionData - { - get => _extensionData_Value; - set => _extensionData_Value = value; - } + public ExtensionDataObject ExtensionData { get; set; } } // ------------------------------------------ // End SqlClientObjRef private class. diff --git a/src/Microsoft.Data.SqlClient/tests/FunctionalTests/SqlExceptionTest.cs b/src/Microsoft.Data.SqlClient/tests/FunctionalTests/SqlExceptionTest.cs index 599735fb18..921a12023d 100644 --- a/src/Microsoft.Data.SqlClient/tests/FunctionalTests/SqlExceptionTest.cs +++ b/src/Microsoft.Data.SqlClient/tests/FunctionalTests/SqlExceptionTest.cs @@ -34,28 +34,6 @@ public void SerializationTest() Assert.Equal(e.StackTrace, sqlEx.StackTrace); } - [Fact] - [ActiveIssue("12161", TargetFrameworkMonikers.Netcoreapp)] - - public static void SqlExcpetionSerializationTest() - { - var formatter = new BinaryFormatter(); - SqlException e = CreateException(); - using (var stream = new MemoryStream()) - { - try - { - formatter.Serialize(stream, e); - stream.Position = 0; - var e2 = (SqlException)formatter.Deserialize(stream); - } - catch (Exception ex) - { - Assert.False(true, $"Unexpected Exception occurred: {ex.Message}"); - } - } - } - [Fact] public void JSONSerializationTest() { diff --git a/tools/props/Versions.props b/tools/props/Versions.props index 94ad1186c9..f554a310f0 100644 --- a/tools/props/Versions.props +++ b/tools/props/Versions.props @@ -54,8 +54,8 @@ 3.1.6 5.2.6 - 16.8.3 - 3.1.1 + 15.9.0 + 3.1.0 12.0.3 4.3.0 4.3.0 From 4f2217110cf21e6c1370e9007250181cb8818c9b Mon Sep 17 00:00:00 2001 From: jJRahnama Date: Thu, 21 Jan 2021 12:59:48 -0800 Subject: [PATCH 03/13] fix version typo --- tools/props/Versions.props | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tools/props/Versions.props b/tools/props/Versions.props index f554a310f0..d04745707f 100644 --- a/tools/props/Versions.props +++ b/tools/props/Versions.props @@ -52,7 +52,7 @@ - 3.1.6 + 3.1.1 5.2.6 15.9.0 3.1.0 From 8ede1425c6d3375e611f3ff893f237c365504826 Mon Sep 17 00:00:00 2001 From: jJRahnama Date: Thu, 21 Jan 2021 13:35:44 -0800 Subject: [PATCH 04/13] remove extra line --- .../netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs | 2 -- 1 file changed, 2 deletions(-) diff --git a/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs b/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs index 9a268598e3..e59fd60992 100644 --- a/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs +++ b/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs @@ -240,7 +240,6 @@ private static void InvokeCallback(object eventContextPair) // END EventContextPair private class. // ---------------------------------------- - //----------------------------------------------- // Private Class to add ObjRef as DataContract //----------------------------------------------- @@ -1317,7 +1316,6 @@ private void AddCommandInternal(SqlCommand cmd) { if (cmd != null) { - // Don't bother with BID if command null. long scopeID = SqlClientEventSource.Log.TryNotificationScopeEnterEvent(" {0}, SqlCommand: {1}", ObjectID, cmd.ObjectID); try { From 8df3fcfe2e32a6ef40b8ace4eaaedbd6722a8ed6 Mon Sep 17 00:00:00 2001 From: jJRahnama Date: Thu, 21 Jan 2021 14:42:10 -0800 Subject: [PATCH 05/13] Reverted SqlException Test --- .../netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs | 4 +--- 1 file changed, 1 insertion(+), 3 deletions(-) diff --git a/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs b/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs index e59fd60992..a23cd5109a 100644 --- a/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs +++ b/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs @@ -245,7 +245,7 @@ private static void InvokeCallback(object eventContextPair) //----------------------------------------------- [SecurityPermission(SecurityAction.Assert, Flags = SecurityPermissionFlag.RemotingConfiguration)] [DataContract] - private class SqlClientObjRef : IExtensibleDataObject + private class SqlClientObjRef { [DataMember] private static ObjRef s_sqlObjRef; @@ -254,8 +254,6 @@ public SqlClientObjRef(SqlDependencyProcessDispatcher dispatcher) { s_sqlObjRef = RemotingServices.Marshal(dispatcher); } - - public ExtensionDataObject ExtensionData { get; set; } } // ------------------------------------------ // End SqlClientObjRef private class. From cc0aca0e3f189c5e9bcd121cee841a55b9167bf7 Mon Sep 17 00:00:00 2001 From: jJRahnama Date: Thu, 21 Jan 2021 14:42:23 -0800 Subject: [PATCH 06/13] review comments --- .../tests/FunctionalTests/SqlExceptionTest.cs | 21 +++++++++++++++++++ 1 file changed, 21 insertions(+) diff --git a/src/Microsoft.Data.SqlClient/tests/FunctionalTests/SqlExceptionTest.cs b/src/Microsoft.Data.SqlClient/tests/FunctionalTests/SqlExceptionTest.cs index 921a12023d..d7ed318d4a 100644 --- a/src/Microsoft.Data.SqlClient/tests/FunctionalTests/SqlExceptionTest.cs +++ b/src/Microsoft.Data.SqlClient/tests/FunctionalTests/SqlExceptionTest.cs @@ -34,6 +34,27 @@ public void SerializationTest() Assert.Equal(e.StackTrace, sqlEx.StackTrace); } + [Fact] + [ActiveIssue("12161", TestPlatforms.AnyUnix)] + public static void SqlExcpetionSerializationTest() + { + var formatter = new BinaryFormatter(); + SqlException e = CreateException(); + using (var stream = new MemoryStream()) + { + try + { + formatter.Serialize(stream, e); + stream.Position = 0; + var e2 = (SqlException)formatter.Deserialize(stream); + } + catch (Exception ex) + { + Assert.False(true, $"Unexpected Exception occurred: {ex.Message}"); + } + } + } + [Fact] public void JSONSerializationTest() { From fe1246131ca70ff399e1ae1463054729f74b8ba5 Mon Sep 17 00:00:00 2001 From: jJRahnama Date: Tue, 26 Jan 2021 14:33:56 -0800 Subject: [PATCH 07/13] Review comment --- .../tests/FunctionalTests/SqlExceptionTest.cs | 1 - 1 file changed, 1 deletion(-) diff --git a/src/Microsoft.Data.SqlClient/tests/FunctionalTests/SqlExceptionTest.cs b/src/Microsoft.Data.SqlClient/tests/FunctionalTests/SqlExceptionTest.cs index d7ed318d4a..328f3643c2 100644 --- a/src/Microsoft.Data.SqlClient/tests/FunctionalTests/SqlExceptionTest.cs +++ b/src/Microsoft.Data.SqlClient/tests/FunctionalTests/SqlExceptionTest.cs @@ -4,7 +4,6 @@ using System; using System.IO; -using System.Runtime.Serialization; using System.Runtime.Serialization.Formatters.Binary; using Newtonsoft.Json; using Xunit; From c93ca0a3a60f95facb6d70b08c4d8bcd8f5fa432 Mon Sep 17 00:00:00 2001 From: jJRahnama Date: Fri, 29 Jan 2021 09:35:59 -0800 Subject: [PATCH 08/13] Desrialize --- .../Microsoft/Data/SqlClient/SqlDependency.cs | 23 ++++++++++++++++--- 1 file changed, 20 insertions(+), 3 deletions(-) diff --git a/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs b/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs index a23cd5109a..d9e5b4e6f7 100644 --- a/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs +++ b/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs @@ -249,10 +249,19 @@ private class SqlClientObjRef { [DataMember] private static ObjRef s_sqlObjRef; + internal static IRemotingTypeInfo _typeInfo; - public SqlClientObjRef(SqlDependencyProcessDispatcher dispatcher) + private SqlClientObjRef() { } + + public SqlClientObjRef(SqlDependencyProcessDispatcher dispatcher) : base() { s_sqlObjRef = RemotingServices.Marshal(dispatcher); + _typeInfo = s_sqlObjRef.TypeInfo; + } + + internal static bool CanCastToSqlDependencyProcessDispatcher() + { + return _typeInfo.CanCastTo(typeof(SqlDependencyProcessDispatcher), s_sqlObjRef); } } // ------------------------------------------ @@ -625,8 +634,16 @@ private static void ObtainProcessDispatcher() #endif using (MemoryStream stream = new MemoryStream(nativeStorage)) { - DataContractSerializer formatter = new DataContractSerializer(typeof(SqlDependencyProcessDispatcher)); - _processDispatcher = GetDeserializedObject(formatter, stream); // Deserialize and set for appdomain. + DataContractSerializer formatter = new DataContractSerializer(typeof(SqlClientObjRef)); + if (SqlClientObjRef.CanCastToSqlDependencyProcessDispatcher()) + { + // Deserialize and set for appdomain. + _processDispatcher = GetDeserializedObject(formatter, stream); + } + else + { + throw new ArgumentException("Unexpected type", nameof(SqlClientObjRef._typeInfo)); + } SqlClientEventSource.Log.TryNotificationTraceEvent(" processDispatcher obtained, ID: {0}", _processDispatcher.ObjectID); } } From b613194a3a1c0a9fb10d6b0f2c3e7a81efc0f7fc Mon Sep 17 00:00:00 2001 From: jJRahnama Date: Mon, 8 Feb 2021 11:12:56 -0800 Subject: [PATCH 09/13] addressing review comments --- .../src/Microsoft/Data/SqlClient/SqlDependency.cs | 10 ++++++---- 1 file changed, 6 insertions(+), 4 deletions(-) diff --git a/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs b/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs index d9e5b4e6f7..239e973a2a 100644 --- a/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs +++ b/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs @@ -635,15 +635,17 @@ private static void ObtainProcessDispatcher() using (MemoryStream stream = new MemoryStream(nativeStorage)) { DataContractSerializer formatter = new DataContractSerializer(typeof(SqlClientObjRef)); + XmlDictionaryReader reader = XmlDictionaryReader.CreateBinaryReader(stream, XmlDictionaryReaderQuotas.Max); if (SqlClientObjRef.CanCastToSqlDependencyProcessDispatcher()) { // Deserialize and set for appdomain. - _processDispatcher = GetDeserializedObject(formatter, stream); + _processDispatcher = GetDeserializedObject(formatter, reader); } else { throw new ArgumentException("Unexpected type", nameof(SqlClientObjRef._typeInfo)); } + reader.Close(); SqlClientEventSource.Log.TryNotificationTraceEvent(" processDispatcher obtained, ID: {0}", _processDispatcher.ObjectID); } } @@ -660,11 +662,11 @@ private static void GetSerializedObject(SqlClientObjRef objRef, DataContractSeri } [SecurityPermission(SecurityAction.Assert, Flags = SecurityPermissionFlag.SerializationFormatter)] - private static SqlDependencyProcessDispatcher GetDeserializedObject(DataContractSerializer formatter, MemoryStream stream) + private static SqlDependencyProcessDispatcher GetDeserializedObject(DataContractSerializer formatter, XmlDictionaryReader reader) { - object result = formatter.ReadObject(stream); + object result = formatter.ReadObject(reader,false); Debug.Assert(result.GetType() == typeof(SqlDependencyProcessDispatcher), "Unexpected type stored in native!"); - return (SqlDependencyProcessDispatcher)result; + return result as SqlDependencyProcessDispatcher; } // ------------------------- From a4dc381cc2d9f1750bfcbc204772ae7248bf9be2 Mon Sep 17 00:00:00 2001 From: Karina Zhou Date: Tue, 16 Feb 2021 09:36:29 -0800 Subject: [PATCH 10/13] Fix exception in deserialization (#1) --- .../Microsoft/Data/SqlClient/SqlDependency.cs | 18 ++++++++++++------ 1 file changed, 12 insertions(+), 6 deletions(-) diff --git a/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs b/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs index 239e973a2a..d6f23aa23e 100644 --- a/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs +++ b/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs @@ -263,6 +263,12 @@ internal static bool CanCastToSqlDependencyProcessDispatcher() { return _typeInfo.CanCastTo(typeof(SqlDependencyProcessDispatcher), s_sqlObjRef); } + + internal ObjRef GetObjRef() + { + return s_sqlObjRef; + } + } // ------------------------------------------ // End SqlClientObjRef private class. @@ -604,7 +610,7 @@ private static void ObtainProcessDispatcher() SqlClientObjRef objRef = new SqlClientObjRef(_processDispatcher); DataContractSerializer formatter = new DataContractSerializer(objRef.GetType()); GetSerializedObject(objRef, formatter, stream); - SNINativeMethodWrapper.SetData(stream.GetBuffer()); // Native will be forced to synchronize and not overwrite. + SNINativeMethodWrapper.SetData(stream.ToArray()); // Native will be forced to synchronize and not overwrite. } } else @@ -635,17 +641,15 @@ private static void ObtainProcessDispatcher() using (MemoryStream stream = new MemoryStream(nativeStorage)) { DataContractSerializer formatter = new DataContractSerializer(typeof(SqlClientObjRef)); - XmlDictionaryReader reader = XmlDictionaryReader.CreateBinaryReader(stream, XmlDictionaryReaderQuotas.Max); if (SqlClientObjRef.CanCastToSqlDependencyProcessDispatcher()) { // Deserialize and set for appdomain. - _processDispatcher = GetDeserializedObject(formatter, reader); + _processDispatcher = GetDeserializedObject(formatter, stream); } else { throw new ArgumentException("Unexpected type", nameof(SqlClientObjRef._typeInfo)); } - reader.Close(); SqlClientEventSource.Log.TryNotificationTraceEvent(" processDispatcher obtained, ID: {0}", _processDispatcher.ObjectID); } } @@ -662,9 +666,11 @@ private static void GetSerializedObject(SqlClientObjRef objRef, DataContractSeri } [SecurityPermission(SecurityAction.Assert, Flags = SecurityPermissionFlag.SerializationFormatter)] - private static SqlDependencyProcessDispatcher GetDeserializedObject(DataContractSerializer formatter, XmlDictionaryReader reader) + private static SqlDependencyProcessDispatcher GetDeserializedObject(DataContractSerializer formatter, MemoryStream stream) { - object result = formatter.ReadObject(reader,false); + object refResult = formatter.ReadObject(stream); + var result = RemotingServices.Unmarshal((refResult as SqlClientObjRef).GetObjRef()); + Debug.Assert(result.GetType() == typeof(SqlDependencyProcessDispatcher), "Unexpected type stored in native!"); return result as SqlDependencyProcessDispatcher; } From 233b8fe2f8da63443f77911c45bbca1d76574a03 Mon Sep 17 00:00:00 2001 From: jJRahnama Date: Wed, 17 Feb 2021 21:18:48 -0800 Subject: [PATCH 11/13] review comments --- .../Microsoft/Data/SqlClient/SqlDependency.cs | 22 +- .../netfx/src/Resources/Strings.Designer.cs | 12004 ++++++++++------ .../netfx/src/Resources/Strings.resx | 3 + 3 files changed, 7519 insertions(+), 4510 deletions(-) diff --git a/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs b/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs index d6f23aa23e..938f43e898 100644 --- a/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs +++ b/src/Microsoft.Data.SqlClient/netfx/src/Microsoft/Data/SqlClient/SqlDependency.cs @@ -264,7 +264,7 @@ internal static bool CanCastToSqlDependencyProcessDispatcher() return _typeInfo.CanCastTo(typeof(SqlDependencyProcessDispatcher), s_sqlObjRef); } - internal ObjRef GetObjRef() + internal ObjRef GetObjRef() { return s_sqlObjRef; } @@ -608,8 +608,8 @@ private static void ObtainProcessDispatcher() using (MemoryStream stream = new MemoryStream()) { SqlClientObjRef objRef = new SqlClientObjRef(_processDispatcher); - DataContractSerializer formatter = new DataContractSerializer(objRef.GetType()); - GetSerializedObject(objRef, formatter, stream); + DataContractSerializer serializer = new DataContractSerializer(objRef.GetType()); + GetSerializedObject(objRef, serializer, stream); SNINativeMethodWrapper.SetData(stream.ToArray()); // Native will be forced to synchronize and not overwrite. } } @@ -640,15 +640,15 @@ private static void ObtainProcessDispatcher() #endif using (MemoryStream stream = new MemoryStream(nativeStorage)) { - DataContractSerializer formatter = new DataContractSerializer(typeof(SqlClientObjRef)); + DataContractSerializer serializer = new DataContractSerializer(typeof(SqlClientObjRef)); if (SqlClientObjRef.CanCastToSqlDependencyProcessDispatcher()) { // Deserialize and set for appdomain. - _processDispatcher = GetDeserializedObject(formatter, stream); + _processDispatcher = GetDeserializedObject(serializer, stream); } else { - throw new ArgumentException("Unexpected type", nameof(SqlClientObjRef._typeInfo)); + throw new ArgumentException(Strings.SqlDependency_UnexpectedValueOnDeserialize); } SqlClientEventSource.Log.TryNotificationTraceEvent(" processDispatcher obtained, ID: {0}", _processDispatcher.ObjectID); } @@ -660,18 +660,16 @@ private static void ObtainProcessDispatcher() // --------------------------------------------------------- [SecurityPermission(SecurityAction.Assert, Flags = SecurityPermissionFlag.SerializationFormatter)] - private static void GetSerializedObject(SqlClientObjRef objRef, DataContractSerializer formatter, MemoryStream stream) + private static void GetSerializedObject(SqlClientObjRef objRef, DataContractSerializer serializer, MemoryStream stream) { - formatter.WriteObject(stream, objRef); + serializer.WriteObject(stream, objRef); } [SecurityPermission(SecurityAction.Assert, Flags = SecurityPermissionFlag.SerializationFormatter)] - private static SqlDependencyProcessDispatcher GetDeserializedObject(DataContractSerializer formatter, MemoryStream stream) + private static SqlDependencyProcessDispatcher GetDeserializedObject(DataContractSerializer serializer, MemoryStream stream) { - object refResult = formatter.ReadObject(stream); + object refResult = serializer.ReadObject(stream); var result = RemotingServices.Unmarshal((refResult as SqlClientObjRef).GetObjRef()); - - Debug.Assert(result.GetType() == typeof(SqlDependencyProcessDispatcher), "Unexpected type stored in native!"); return result as SqlDependencyProcessDispatcher; } diff --git a/src/Microsoft.Data.SqlClient/netfx/src/Resources/Strings.Designer.cs b/src/Microsoft.Data.SqlClient/netfx/src/Resources/Strings.Designer.cs index acfa8b7778..809bc74007 100644 --- a/src/Microsoft.Data.SqlClient/netfx/src/Resources/Strings.Designer.cs +++ b/src/Microsoft.Data.SqlClient/netfx/src/Resources/Strings.Designer.cs @@ -8,10 +8,11 @@ // //------------------------------------------------------------------------------ -namespace System { +namespace System +{ using System; - - + + /// /// A strongly-typed resource class, for looking up localized strings, etc. /// @@ -22,13489 +23,16496 @@ namespace System { [global::System.CodeDom.Compiler.GeneratedCodeAttribute("System.Resources.Tools.StronglyTypedResourceBuilder", "16.0.0.0")] [global::System.Diagnostics.DebuggerNonUserCodeAttribute()] [global::System.Runtime.CompilerServices.CompilerGeneratedAttribute()] - internal class Strings { - + internal class Strings + { + private static global::System.Resources.ResourceManager resourceMan; - + private static global::System.Globalization.CultureInfo resourceCulture; - + [global::System.Diagnostics.CodeAnalysis.SuppressMessageAttribute("Microsoft.Performance", "CA1811:AvoidUncalledPrivateCode")] - internal Strings() { + internal Strings() + { } - + /// /// Returns the cached ResourceManager instance used by this class. /// [global::System.ComponentModel.EditorBrowsableAttribute(global::System.ComponentModel.EditorBrowsableState.Advanced)] - internal static global::System.Resources.ResourceManager ResourceManager { - get { - if (object.ReferenceEquals(resourceMan, null)) { + internal static global::System.Resources.ResourceManager ResourceManager + { + get + { + if (object.ReferenceEquals(resourceMan, null)) + { global::System.Resources.ResourceManager temp = new global::System.Resources.ResourceManager("SqlClient.Resources.Strings", typeof(Strings).Assembly); resourceMan = temp; } return resourceMan; } } - + /// /// Overrides the current thread's CurrentUICulture property for all /// resource lookups using this strongly typed resource class. /// [global::System.ComponentModel.EditorBrowsableAttribute(global::System.ComponentModel.EditorBrowsableState.Advanced)] - internal static global::System.Globalization.CultureInfo Culture { - get { + internal static global::System.Globalization.CultureInfo Culture + { + get + { return resourceCulture; } - set { + set + { resourceCulture = value; } } - + /// /// Looks up a localized string similar to Data adapter mapping error.. /// - internal static string ADP_AdapterMappingExceptionMessage { - get { + internal static string ADP_AdapterMappingExceptionMessage + { + get + { return ResourceManager.GetString("ADP_AdapterMappingExceptionMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Ascending. /// - internal static string ADP_Ascending { - get { + internal static string ADP_Ascending + { + get + { return ResourceManager.GetString("ADP_Ascending", resourceCulture); } } - + /// /// Looks up a localized string similar to Specified parameter name '{0}' is not valid.. /// - internal static string ADP_BadParameterName { - get { + internal static string ADP_BadParameterName + { + get + { return ResourceManager.GetString("ADP_BadParameterName", resourceCulture); } } - + /// /// Looks up a localized string similar to The method '{0}' cannot be called more than once for the same execution.. /// - internal static string ADP_CalledTwice { - get { + internal static string ADP_CalledTwice + { + get + { return ResourceManager.GetString("ADP_CalledTwice", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid operation. The connection is closed.. /// - internal static string ADP_ClosedConnectionError { - get { + internal static string ADP_ClosedConnectionError + { + get + { return ResourceManager.GetString("ADP_ClosedConnectionError", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid index {0} for this {1} with Count={2}.. /// - internal static string ADP_CollectionIndexInt32 { - get { + internal static string ADP_CollectionIndexInt32 + { + get + { return ResourceManager.GetString("ADP_CollectionIndexInt32", resourceCulture); } } - + /// /// Looks up a localized string similar to A {0} with {1} '{2}' is not contained by this {3}.. /// - internal static string ADP_CollectionIndexString { - get { + internal static string ADP_CollectionIndexString + { + get + { return ResourceManager.GetString("ADP_CollectionIndexString", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} only accepts non-null {1} type objects, not {2} objects.. /// - internal static string ADP_CollectionInvalidType { - get { + internal static string ADP_CollectionInvalidType + { + get + { return ResourceManager.GetString("ADP_CollectionInvalidType", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} is already contained by another {1}.. /// - internal static string ADP_CollectionIsNotParent { - get { + internal static string ADP_CollectionIsNotParent + { + get + { return ResourceManager.GetString("ADP_CollectionIsNotParent", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} with is already contained by this {1}.. /// - internal static string ADP_CollectionIsParent { - get { + internal static string ADP_CollectionIsParent + { + get + { return ResourceManager.GetString("ADP_CollectionIsParent", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} only accepts non-null {1} type objects.. /// - internal static string ADP_CollectionNullValue { - get { + internal static string ADP_CollectionNullValue + { + get + { return ResourceManager.GetString("ADP_CollectionNullValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Attempted to remove an {0} that is not contained by this {1}.. /// - internal static string ADP_CollectionRemoveInvalidObject { - get { + internal static string ADP_CollectionRemoveInvalidObject + { + get + { return ResourceManager.GetString("ADP_CollectionRemoveInvalidObject", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0}.{1} is required to be unique, '{2}' already exists in the collection.. /// - internal static string ADP_CollectionUniqueValue { - get { + internal static string ADP_CollectionUniqueValue + { + get + { return ResourceManager.GetString("ADP_CollectionUniqueValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The column mapping from SourceColumn '{0}' failed because the DataColumn '{1}' is a computed column.. /// - internal static string ADP_ColumnSchemaExpression { - get { + internal static string ADP_ColumnSchemaExpression + { + get + { return ResourceManager.GetString("ADP_ColumnSchemaExpression", resourceCulture); } } - + /// /// Looks up a localized string similar to Inconvertible type mismatch between SourceColumn '{0}' of {1} and the DataColumn '{2}' of {3}.. /// - internal static string ADP_ColumnSchemaMismatch { - get { + internal static string ADP_ColumnSchemaMismatch + { + get + { return ResourceManager.GetString("ADP_ColumnSchemaMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Missing the DataColumn '{0}' for the SourceColumn '{2}'.. /// - internal static string ADP_ColumnSchemaMissing1 { - get { + internal static string ADP_ColumnSchemaMissing1 + { + get + { return ResourceManager.GetString("ADP_ColumnSchemaMissing1", resourceCulture); } } - + /// /// Looks up a localized string similar to Missing the DataColumn '{0}' in the DataTable '{1}' for the SourceColumn '{2}'.. /// - internal static string ADP_ColumnSchemaMissing2 { - get { + internal static string ADP_ColumnSchemaMissing2 + { + get + { return ResourceManager.GetString("ADP_ColumnSchemaMissing2", resourceCulture); } } - + /// /// Looks up a localized string similar to {0}: CommandText property has not been initialized. /// - internal static string ADP_CommandTextRequired { - get { + internal static string ADP_CommandTextRequired + { + get + { return ResourceManager.GetString("ADP_CommandTextRequired", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to retrieve the ComputerNameDnsFullyQualified, {0}.. /// - internal static string ADP_ComputerNameEx { - get { + internal static string ADP_ComputerNameEx + { + get + { return ResourceManager.GetString("ADP_ComputerNameEx", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires a connection.. /// - internal static string ADP_ConnecitonRequired_UpdateRows { - get { + internal static string ADP_ConnecitonRequired_UpdateRows + { + get + { return ResourceManager.GetString("ADP_ConnecitonRequired_UpdateRows", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection was not closed. {0}. /// - internal static string ADP_ConnectionAlreadyOpen { - get { + internal static string ADP_ConnectionAlreadyOpen + { + get + { return ResourceManager.GetString("ADP_ConnectionAlreadyOpen", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection has been disabled.. /// - internal static string ADP_ConnectionIsDisabled { - get { + internal static string ADP_ConnectionIsDisabled + { + get + { return ResourceManager.GetString("ADP_ConnectionIsDisabled", resourceCulture); } } - + /// /// Looks up a localized string similar to {0}: Connection property has not been initialized.. /// - internal static string ADP_ConnectionRequired { - get { + internal static string ADP_ConnectionRequired + { + get + { return ResourceManager.GetString("ADP_ConnectionRequired", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires a connection object. The Connection property has not been initialized.. /// - internal static string ADP_ConnectionRequired_Batch { - get { + internal static string ADP_ConnectionRequired_Batch + { + get + { return ResourceManager.GetString("ADP_ConnectionRequired_Batch", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires the command clone to have a connection object. The Connection property of the command clone has not been initialized.. /// - internal static string ADP_ConnectionRequired_Clone { - get { + internal static string ADP_ConnectionRequired_Clone + { + get + { return ResourceManager.GetString("ADP_ConnectionRequired_Clone", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires the DeleteCommand to have a connection object. The Connection property of the DeleteCommand has not been initialized.. /// - internal static string ADP_ConnectionRequired_Delete { - get { + internal static string ADP_ConnectionRequired_Delete + { + get + { return ResourceManager.GetString("ADP_ConnectionRequired_Delete", resourceCulture); } } - + /// /// Looks up a localized string similar to Fill: SelectCommand.Connection property has not been initialized.. /// - internal static string ADP_ConnectionRequired_Fill { - get { + internal static string ADP_ConnectionRequired_Fill + { + get + { return ResourceManager.GetString("ADP_ConnectionRequired_Fill", resourceCulture); } } - + /// /// Looks up a localized string similar to FillPage: SelectCommand.Connection property has not been initialized.. /// - internal static string ADP_ConnectionRequired_FillPage { - get { + internal static string ADP_ConnectionRequired_FillPage + { + get + { return ResourceManager.GetString("ADP_ConnectionRequired_FillPage", resourceCulture); } } - + /// /// Looks up a localized string similar to FillSchema: SelectCommand.Connection property has not been initialized.. /// - internal static string ADP_ConnectionRequired_FillSchema { - get { + internal static string ADP_ConnectionRequired_FillSchema + { + get + { return ResourceManager.GetString("ADP_ConnectionRequired_FillSchema", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires the InsertCommand to have a connection object. The Connection property of the InsertCommand has not been initialized.. /// - internal static string ADP_ConnectionRequired_Insert { - get { + internal static string ADP_ConnectionRequired_Insert + { + get + { return ResourceManager.GetString("ADP_ConnectionRequired_Insert", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires the UpdateCommand to have a connection object. The Connection property of the UpdateCommand has not been initialized.. /// - internal static string ADP_ConnectionRequired_Update { - get { + internal static string ADP_ConnectionRequired_Update + { + get + { return ResourceManager.GetString("ADP_ConnectionRequired_Update", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection's current state: {0}.. /// - internal static string ADP_ConnectionStateMsg { - get { + internal static string ADP_ConnectionStateMsg + { + get + { return ResourceManager.GetString("ADP_ConnectionStateMsg", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection's current state is closed.. /// - internal static string ADP_ConnectionStateMsg_Closed { - get { + internal static string ADP_ConnectionStateMsg_Closed + { + get + { return ResourceManager.GetString("ADP_ConnectionStateMsg_Closed", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection's current state is connecting.. /// - internal static string ADP_ConnectionStateMsg_Connecting { - get { + internal static string ADP_ConnectionStateMsg_Connecting + { + get + { return ResourceManager.GetString("ADP_ConnectionStateMsg_Connecting", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection's current state is open.. /// - internal static string ADP_ConnectionStateMsg_Open { - get { + internal static string ADP_ConnectionStateMsg_Open + { + get + { return ResourceManager.GetString("ADP_ConnectionStateMsg_Open", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection's current state is executing.. /// - internal static string ADP_ConnectionStateMsg_OpenExecuting { - get { + internal static string ADP_ConnectionStateMsg_OpenExecuting + { + get + { return ResourceManager.GetString("ADP_ConnectionStateMsg_OpenExecuting", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection's current state is fetching.. /// - internal static string ADP_ConnectionStateMsg_OpenFetching { - get { + internal static string ADP_ConnectionStateMsg_OpenFetching + { + get + { return ResourceManager.GetString("ADP_ConnectionStateMsg_OpenFetching", resourceCulture); } } - + /// /// Looks up a localized string similar to Format of the initialization string does not conform to specification starting at index {0}.. /// - internal static string ADP_ConnectionStringSyntax { - get { + internal static string ADP_ConnectionStringSyntax + { + get + { return ResourceManager.GetString("ADP_ConnectionStringSyntax", resourceCulture); } } - + /// /// Looks up a localized string similar to Data adapter error.. /// - internal static string ADP_DataAdapterExceptionMessage { - get { + internal static string ADP_DataAdapterExceptionMessage + { + get + { return ResourceManager.GetString("ADP_DataAdapterExceptionMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to The argument is too long.. /// - internal static string ADP_DatabaseNameTooLong { - get { + internal static string ADP_DatabaseNameTooLong + { + get + { return ResourceManager.GetString("ADP_DatabaseNameTooLong", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to call {0} when reader is closed.. /// - internal static string ADP_DataReaderClosed { - get { + internal static string ADP_DataReaderClosed + { + get + { return ResourceManager.GetString("ADP_DataReaderClosed", resourceCulture); } } - + /// /// Looks up a localized string similar to No data exists for the row/column.. /// - internal static string ADP_DataReaderNoData { - get { + internal static string ADP_DataReaderNoData + { + get + { return ResourceManager.GetString("ADP_DataReaderNoData", resourceCulture); } } - + /// /// Looks up a localized string similar to DB concurrency violation.. /// - internal static string ADP_DBConcurrencyExceptionMessage { - get { + internal static string ADP_DBConcurrencyExceptionMessage + { + get + { return ResourceManager.GetString("ADP_DBConcurrencyExceptionMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}' cannot be called when the DbDataRecord is read only.. /// - internal static string ADP_DbDataUpdatableRecordReadOnly { - get { + internal static string ADP_DbDataUpdatableRecordReadOnly + { + get + { return ResourceManager.GetString("ADP_DbDataUpdatableRecordReadOnly", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}' cannot be called when the record is read only.. /// - internal static string ADP_DbRecordReadOnly { - get { + internal static string ADP_DbRecordReadOnly + { + get + { return ResourceManager.GetString("ADP_DbRecordReadOnly", resourceCulture); } } - + /// /// Looks up a localized string similar to No mapping exists from DbType {0} to a known {1}.. /// - internal static string ADP_DbTypeNotSupported { - get { + internal static string ADP_DbTypeNotSupported + { + get + { return ResourceManager.GetString("ADP_DbTypeNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot enlist in the transaction because the connection is the primary connection for a delegated or promoted transaction.. /// - internal static string ADP_DelegatedTransactionPresent { - get { + internal static string ADP_DelegatedTransactionPresent + { + get + { return ResourceManager.GetString("ADP_DelegatedTransactionPresent", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} DeriveParameters only supports CommandType.StoredProcedure, not CommandType.{1}.. /// - internal static string ADP_DeriveParametersNotSupported { - get { + internal static string ADP_DeriveParametersNotSupported + { + get + { return ResourceManager.GetString("ADP_DeriveParametersNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Descending. /// - internal static string ADP_Descending { - get { + internal static string ADP_Descending + { + get + { return ResourceManager.GetString("ADP_Descending", resourceCulture); } } - + /// /// Looks up a localized string similar to The acceptable values for the property '{0}' are '{1}' or '{2}'.. /// - internal static string ADP_DoubleValuedProperty { - get { + internal static string ADP_DoubleValuedProperty + { + get + { return ResourceManager.GetString("ADP_DoubleValuedProperty", resourceCulture); } } - + /// /// Looks up a localized string similar to Dynamic SQL generation is not supported against multiple base tables.. /// - internal static string ADP_DynamicSQLJoinUnsupported { - get { + internal static string ADP_DynamicSQLJoinUnsupported + { + get + { return ResourceManager.GetString("ADP_DynamicSQLJoinUnsupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Dynamic SQL generation not supported against table names '{0}' that contain the QuotePrefix or QuoteSuffix character '{1}'.. /// - internal static string ADP_DynamicSQLNestedQuote { - get { + internal static string ADP_DynamicSQLNestedQuote + { + get + { return ResourceManager.GetString("ADP_DynamicSQLNestedQuote", resourceCulture); } } - + /// /// Looks up a localized string similar to Dynamic SQL generation for the DeleteCommand is not supported against a SelectCommand that does not return any key column information.. /// - internal static string ADP_DynamicSQLNoKeyInfoDelete { - get { + internal static string ADP_DynamicSQLNoKeyInfoDelete + { + get + { return ResourceManager.GetString("ADP_DynamicSQLNoKeyInfoDelete", resourceCulture); } } - + /// /// Looks up a localized string similar to Dynamic SQL generation for the DeleteCommand is not supported against a SelectCommand that does not contain a row version column.. /// - internal static string ADP_DynamicSQLNoKeyInfoRowVersionDelete { - get { + internal static string ADP_DynamicSQLNoKeyInfoRowVersionDelete + { + get + { return ResourceManager.GetString("ADP_DynamicSQLNoKeyInfoRowVersionDelete", resourceCulture); } } - + /// /// Looks up a localized string similar to Dynamic SQL generation for the UpdateCommand is not supported against a SelectCommand that does not contain a row version column.. /// - internal static string ADP_DynamicSQLNoKeyInfoRowVersionUpdate { - get { + internal static string ADP_DynamicSQLNoKeyInfoRowVersionUpdate + { + get + { return ResourceManager.GetString("ADP_DynamicSQLNoKeyInfoRowVersionUpdate", resourceCulture); } } - + /// /// Looks up a localized string similar to Dynamic SQL generation for the UpdateCommand is not supported against a SelectCommand that does not return any key column information.. /// - internal static string ADP_DynamicSQLNoKeyInfoUpdate { - get { + internal static string ADP_DynamicSQLNoKeyInfoUpdate + { + get + { return ResourceManager.GetString("ADP_DynamicSQLNoKeyInfoUpdate", resourceCulture); } } - + /// /// Looks up a localized string similar to Dynamic SQL generation is not supported against a SelectCommand that does not return any base table information.. /// - internal static string ADP_DynamicSQLNoTableInfo { - get { + internal static string ADP_DynamicSQLNoTableInfo + { + get + { return ResourceManager.GetString("ADP_DynamicSQLNoTableInfo", resourceCulture); } } - + /// /// Looks up a localized string similar to Expecting non-empty array for '{0}' parameter.. /// - internal static string ADP_EmptyArray { - get { + internal static string ADP_EmptyArray + { + get + { return ResourceManager.GetString("ADP_EmptyArray", resourceCulture); } } - + /// /// Looks up a localized string similar to Database cannot be null, the empty string, or string of only whitespace.. /// - internal static string ADP_EmptyDatabaseName { - get { + internal static string ADP_EmptyDatabaseName + { + get + { return ResourceManager.GetString("ADP_EmptyDatabaseName", resourceCulture); } } - + /// /// Looks up a localized string similar to Expecting non-empty string for '{0}' parameter.. /// - internal static string ADP_EmptyString { - get { + internal static string ADP_EmptyString + { + get + { return ResourceManager.GetString("ADP_EmptyString", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}':The length of the literal value must be even.. /// - internal static string ADP_EvenLengthLiteralValue { - get { + internal static string ADP_EvenLengthLiteralValue + { + get + { return ResourceManager.GetString("ADP_EvenLengthLiteralValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Hierarchical chapter columns must map to an AutoIncrement DataColumn.. /// - internal static string ADP_FillChapterAutoIncrement { - get { + internal static string ADP_FillChapterAutoIncrement + { + get + { return ResourceManager.GetString("ADP_FillChapterAutoIncrement", resourceCulture); } } - + /// /// Looks up a localized string similar to Fill: expected a non-empty string for the SourceTable name.. /// - internal static string ADP_FillRequiresSourceTableName { - get { + internal static string ADP_FillRequiresSourceTableName + { + get + { return ResourceManager.GetString("ADP_FillRequiresSourceTableName", resourceCulture); } } - + /// /// Looks up a localized string similar to FillSchema: expected a non-empty string for the SourceTable name.. /// - internal static string ADP_FillSchemaRequiresSourceTableName { - get { + internal static string ADP_FillSchemaRequiresSourceTableName + { + get + { return ResourceManager.GetString("ADP_FillSchemaRequiresSourceTableName", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}':The literal value must be a string with hexadecimal digits. /// - internal static string ADP_HexDigitLiteralValue { - get { + internal static string ADP_HexDigitLiteralValue + { + get + { return ResourceManager.GetString("ADP_HexDigitLiteralValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Incorrect async result.. /// - internal static string ADP_IncorrectAsyncResult { - get { + internal static string ADP_IncorrectAsyncResult + { + get + { return ResourceManager.GetString("ADP_IncorrectAsyncResult", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal DbConnection Error: {0}. /// - internal static string ADP_InternalConnectionError { - get { + internal static string ADP_InternalConnectionError + { + get + { return ResourceManager.GetString("ADP_InternalConnectionError", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal .NET Framework Data Provider error {0}.. /// - internal static string ADP_InternalProviderError { - get { + internal static string ADP_InternalProviderError + { + get + { return ResourceManager.GetString("ADP_InternalProviderError", resourceCulture); } } - + /// /// Looks up a localized string similar to The length of argument '{0}' exceeds it's limit of '{1}'.. /// - internal static string ADP_InvalidArgumentLength { - get { + internal static string ADP_InvalidArgumentLength + { + get + { return ResourceManager.GetString("ADP_InvalidArgumentLength", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid argument value for method '{0}'.. /// - internal static string ADP_InvalidArgumentValue { - get { + internal static string ADP_InvalidArgumentValue + { + get + { return ResourceManager.GetString("ADP_InvalidArgumentValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Buffer offset '{1}' plus the bytes available '{0}' is greater than the length of the passed in buffer.. /// - internal static string ADP_InvalidBufferSizeOrIndex { - get { + internal static string ADP_InvalidBufferSizeOrIndex + { + get + { return ResourceManager.GetString("ADP_InvalidBufferSizeOrIndex", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid CommandTimeout value {0}; the value must be >= 0.. /// - internal static string ADP_InvalidCommandTimeout { - get { + internal static string ADP_InvalidCommandTimeout + { + get + { return ResourceManager.GetString("ADP_InvalidCommandTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid value for key '{0}'.. /// - internal static string ADP_InvalidConnectionOptionValue { - get { + internal static string ADP_InvalidConnectionOptionValue + { + get + { return ResourceManager.GetString("ADP_InvalidConnectionOptionValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The value's length for key '{0}' exceeds it's limit of '{1}'.. /// - internal static string ADP_InvalidConnectionOptionValueLength { - get { + internal static string ADP_InvalidConnectionOptionValueLength + { + get + { return ResourceManager.GetString("ADP_InvalidConnectionOptionValueLength", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid 'Connect Timeout' value which must be an integer >= 0.. /// - internal static string ADP_InvalidConnectTimeoutValue { - get { + internal static string ADP_InvalidConnectTimeoutValue + { + get + { return ResourceManager.GetString("ADP_InvalidConnectTimeoutValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The DataDirectory substitute is not a string.. /// - internal static string ADP_InvalidDataDirectory { - get { + internal static string ADP_InvalidDataDirectory + { + get + { return ResourceManager.GetString("ADP_InvalidDataDirectory", resourceCulture); } } - + /// /// Looks up a localized string similar to Data length '{0}' is less than 0.. /// - internal static string ADP_InvalidDataLength { - get { + internal static string ADP_InvalidDataLength + { + get + { return ResourceManager.GetString("ADP_InvalidDataLength", resourceCulture); } } - + /// /// Looks up a localized string similar to Specified length '{0}' is out of range.. /// - internal static string ADP_InvalidDataLength2 { - get { + internal static string ADP_InvalidDataLength2 + { + get + { return ResourceManager.GetString("ADP_InvalidDataLength2", resourceCulture); } } - + /// /// Looks up a localized string similar to The parameter data type of {0} is invalid.. /// - internal static string ADP_InvalidDataType { - get { + internal static string ADP_InvalidDataType + { + get + { return ResourceManager.GetString("ADP_InvalidDataType", resourceCulture); } } - + /// /// Looks up a localized string similar to Data type '{0}' can not be formatted as a literal because it has an invalid date time digits.. /// - internal static string ADP_InvalidDateTimeDigits { - get { + internal static string ADP_InvalidDateTimeDigits + { + get + { return ResourceManager.GetString("ADP_InvalidDateTimeDigits", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid destination buffer (size of {0}) offset: {1}. /// - internal static string ADP_InvalidDestinationBufferIndex { - get { + internal static string ADP_InvalidDestinationBufferIndex + { + get + { return ResourceManager.GetString("ADP_InvalidDestinationBufferIndex", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} enumeration value, {1}, is invalid.. /// - internal static string ADP_InvalidEnumerationValue { - get { + internal static string ADP_InvalidEnumerationValue + { + get + { return ResourceManager.GetString("ADP_InvalidEnumerationValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The value can not be formatted as a literal of the requested type.. /// - internal static string ADP_InvalidFormatValue { - get { + internal static string ADP_InvalidFormatValue + { + get + { return ResourceManager.GetString("ADP_InvalidFormatValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Implicit conversion of object type '{0}' to data type '{1}' is not supported.. /// - internal static string ADP_InvalidImplicitConversion { - get { + internal static string ADP_InvalidImplicitConversion + { + get + { return ResourceManager.GetString("ADP_InvalidImplicitConversion", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid keyword, contain one or more of 'no characters', 'control characters', 'leading or trailing whitespace' or 'leading semicolons'.. /// - internal static string ADP_InvalidKey { - get { + internal static string ADP_InvalidKey + { + get + { return ResourceManager.GetString("ADP_InvalidKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Data type '{0}' can not be formatted as a literal because it has an invalid maximum scale.. /// - internal static string ADP_InvalidMaximumScale { - get { + internal static string ADP_InvalidMaximumScale + { + get + { return ResourceManager.GetString("ADP_InvalidMaximumScale", resourceCulture); } } - + /// /// Looks up a localized string similar to The MaxRecords value of {0} is invalid; the value must be >= 0.. /// - internal static string ADP_InvalidMaxRecords { - get { + internal static string ADP_InvalidMaxRecords + { + get + { return ResourceManager.GetString("ADP_InvalidMaxRecords", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid value for this metadata.. /// - internal static string ADP_InvalidMetaDataValue { - get { + internal static string ADP_InvalidMetaDataValue + { + get + { return ResourceManager.GetString("ADP_InvalidMetaDataValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid min or max pool size values, min pool size cannot be greater than the max pool size.. /// - internal static string ADP_InvalidMinMaxPoolSizeValues { - get { + internal static string ADP_InvalidMinMaxPoolSizeValues + { + get + { return ResourceManager.GetString("ADP_InvalidMinMaxPoolSizeValues", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set the AccessToken property if 'Authentication' has been specified in the connection string.. /// - internal static string ADP_InvalidMixedUsageOfAccessTokenAndAuthentication { - get { + internal static string ADP_InvalidMixedUsageOfAccessTokenAndAuthentication + { + get + { return ResourceManager.GetString("ADP_InvalidMixedUsageOfAccessTokenAndAuthentication", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set the AccessToken property with the 'Context Connection' keyword.. /// - internal static string ADP_InvalidMixedUsageOfAccessTokenAndContextConnection { - get { + internal static string ADP_InvalidMixedUsageOfAccessTokenAndContextConnection + { + get + { return ResourceManager.GetString("ADP_InvalidMixedUsageOfAccessTokenAndContextConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set the AccessToken property if the Credential property is already set.. /// - internal static string ADP_InvalidMixedUsageOfAccessTokenAndCredential { - get { + internal static string ADP_InvalidMixedUsageOfAccessTokenAndCredential + { + get + { return ResourceManager.GetString("ADP_InvalidMixedUsageOfAccessTokenAndCredential", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set the AccessToken property if the 'Integrated Security' connection string keyword has been set to 'true' or 'SSPI'.. /// - internal static string ADP_InvalidMixedUsageOfAccessTokenAndIntegratedSecurity { - get { + internal static string ADP_InvalidMixedUsageOfAccessTokenAndIntegratedSecurity + { + get + { return ResourceManager.GetString("ADP_InvalidMixedUsageOfAccessTokenAndIntegratedSecurity", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set the AccessToken property if 'UserID', 'UID', 'Password', or 'PWD' has been specified in connection string.. /// - internal static string ADP_InvalidMixedUsageOfAccessTokenAndUserIDPassword { - get { + internal static string ADP_InvalidMixedUsageOfAccessTokenAndUserIDPassword + { + get + { return ResourceManager.GetString("ADP_InvalidMixedUsageOfAccessTokenAndUserIDPassword", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set the Credential property if the AccessToken property is already set.. /// - internal static string ADP_InvalidMixedUsageOfCredentialAndAccessToken { - get { + internal static string ADP_InvalidMixedUsageOfCredentialAndAccessToken + { + get + { return ResourceManager.GetString("ADP_InvalidMixedUsageOfCredentialAndAccessToken", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use Credential with UserID, UID, Password, or PWD connection string keywords.. /// - internal static string ADP_InvalidMixedUsageOfSecureAndClearCredential { - get { + internal static string ADP_InvalidMixedUsageOfSecureAndClearCredential + { + get + { return ResourceManager.GetString("ADP_InvalidMixedUsageOfSecureAndClearCredential", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use Credential with Context Connection keyword.. /// - internal static string ADP_InvalidMixedUsageOfSecureCredentialAndContextConnection { - get { + internal static string ADP_InvalidMixedUsageOfSecureCredentialAndContextConnection + { + get + { return ResourceManager.GetString("ADP_InvalidMixedUsageOfSecureCredentialAndContextConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use Credential with Integrated Security connection string keyword.. /// - internal static string ADP_InvalidMixedUsageOfSecureCredentialAndIntegratedSecurity { - get { + internal static string ADP_InvalidMixedUsageOfSecureCredentialAndIntegratedSecurity + { + get + { return ResourceManager.GetString("ADP_InvalidMixedUsageOfSecureCredentialAndIntegratedSecurity", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} "{1}".. /// - internal static string ADP_InvalidMultipartName { - get { + internal static string ADP_InvalidMultipartName + { + get + { return ResourceManager.GetString("ADP_InvalidMultipartName", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} "{1}", incorrect usage of quotes.. /// - internal static string ADP_InvalidMultipartNameQuoteUsage { - get { + internal static string ADP_InvalidMultipartNameQuoteUsage + { + get + { return ResourceManager.GetString("ADP_InvalidMultipartNameQuoteUsage", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} "{1}", the current limit of "{2}" is insufficient.. /// - internal static string ADP_InvalidMultipartNameToManyParts { - get { + internal static string ADP_InvalidMultipartNameToManyParts + { + get + { return ResourceManager.GetString("ADP_InvalidMultipartNameToManyParts", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid parameter Offset value '{0}'. The value must be greater than or equal to 0.. /// - internal static string ADP_InvalidOffsetValue { - get { + internal static string ADP_InvalidOffsetValue + { + get + { return ResourceManager.GetString("ADP_InvalidOffsetValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Specified QuotePrefix and QuoteSuffix values do not match.. /// - internal static string ADP_InvalidPrefixSuffix { - get { + internal static string ADP_InvalidPrefixSuffix + { + get + { return ResourceManager.GetString("ADP_InvalidPrefixSuffix", resourceCulture); } } - + /// /// Looks up a localized string similar to Specified SeekOrigin value is invalid.. /// - internal static string ADP_InvalidSeekOrigin { - get { + internal static string ADP_InvalidSeekOrigin + { + get + { return ResourceManager.GetString("ADP_InvalidSeekOrigin", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid parameter Size value '{0}'. The value must be greater than or equal to 0.. /// - internal static string ADP_InvalidSizeValue { - get { + internal static string ADP_InvalidSizeValue + { + get + { return ResourceManager.GetString("ADP_InvalidSizeValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid source buffer (size of {0}) offset: {1}. /// - internal static string ADP_InvalidSourceBufferIndex { - get { + internal static string ADP_InvalidSourceBufferIndex + { + get + { return ResourceManager.GetString("ADP_InvalidSourceBufferIndex", resourceCulture); } } - + /// /// Looks up a localized string similar to SourceColumn is required to be a non-empty string.. /// - internal static string ADP_InvalidSourceColumn { - get { + internal static string ADP_InvalidSourceColumn + { + get + { return ResourceManager.GetString("ADP_InvalidSourceColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to SourceTable is required to be a non-empty string. /// - internal static string ADP_InvalidSourceTable { - get { + internal static string ADP_InvalidSourceTable + { + get + { return ResourceManager.GetString("ADP_InvalidSourceTable", resourceCulture); } } - + /// /// Looks up a localized string similar to The StartRecord value of {0} is invalid; the value must be >= 0.. /// - internal static string ADP_InvalidStartRecord { - get { + internal static string ADP_InvalidStartRecord + { + get + { return ResourceManager.GetString("ADP_InvalidStartRecord", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid UDL file.. /// - internal static string ADP_InvalidUDL { - get { + internal static string ADP_InvalidUDL + { + get + { return ResourceManager.GetString("ADP_InvalidUDL", resourceCulture); } } - + /// /// Looks up a localized string similar to The value contains embedded nulls (\u0000).. /// - internal static string ADP_InvalidValue { - get { + internal static string ADP_InvalidValue + { + get + { return ResourceManager.GetString("ADP_InvalidValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid Xml; can only parse elements of version one.. /// - internal static string ADP_InvalidXMLBadVersion { - get { + internal static string ADP_InvalidXMLBadVersion + { + get + { return ResourceManager.GetString("ADP_InvalidXMLBadVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to Keyword not supported: '{0}'.. /// - internal static string ADP_KeywordNotSupported { - get { + internal static string ADP_KeywordNotSupported + { + get + { return ResourceManager.GetString("ADP_KeywordNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to The literal value provided is not a valid literal for the data type '{0}'.. /// - internal static string ADP_LiteralValueIsInvalid { - get { + internal static string ADP_LiteralValueIsInvalid + { + get + { return ResourceManager.GetString("ADP_LiteralValueIsInvalid", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot enlist in the transaction because a local transaction is in progress on the connection. Finish local transaction and retry.. /// - internal static string ADP_LocalTransactionPresent { - get { + internal static string ADP_LocalTransactionPresent + { + get + { return ResourceManager.GetString("ADP_LocalTransactionPresent", resourceCulture); } } - + /// /// Looks up a localized string similar to Mismatched end method call for asyncResult. Expected call to {0} but {1} was called instead.. /// - internal static string ADP_MismatchedAsyncResult { - get { + internal static string ADP_MismatchedAsyncResult + { + get + { return ResourceManager.GetString("ADP_MismatchedAsyncResult", resourceCulture); } } - + /// /// Looks up a localized string similar to Missing SourceColumn mapping for '{0}'.. /// - internal static string ADP_MissingColumnMapping { - get { + internal static string ADP_MissingColumnMapping + { + get + { return ResourceManager.GetString("ADP_MissingColumnMapping", resourceCulture); } } - + /// /// Looks up a localized string similar to Use of key '{0}' requires the key '{1}' to be present.. /// - internal static string ADP_MissingConnectionOptionValue { - get { + internal static string ADP_MissingConnectionOptionValue + { + get + { return ResourceManager.GetString("ADP_MissingConnectionOptionValue", resourceCulture); } } - + /// /// Looks up a localized string similar to DataReader.GetFieldType({0}) returned null.. /// - internal static string ADP_MissingDataReaderFieldType { - get { + internal static string ADP_MissingDataReaderFieldType + { + get + { return ResourceManager.GetString("ADP_MissingDataReaderFieldType", resourceCulture); } } - + /// /// Looks up a localized string similar to The SelectCommand property has not been initialized before calling '{0}'.. /// - internal static string ADP_MissingSelectCommand { - get { + internal static string ADP_MissingSelectCommand + { + get + { return ResourceManager.GetString("ADP_MissingSelectCommand", resourceCulture); } } - + /// /// Looks up a localized string similar to The DataAdapter.SelectCommand property needs to be initialized.. /// - internal static string ADP_MissingSourceCommand { - get { + internal static string ADP_MissingSourceCommand + { + get + { return ResourceManager.GetString("ADP_MissingSourceCommand", resourceCulture); } } - + /// /// Looks up a localized string similar to The DataAdapter.SelectCommand.Connection property needs to be initialized;. /// - internal static string ADP_MissingSourceCommandConnection { - get { + internal static string ADP_MissingSourceCommandConnection + { + get + { return ResourceManager.GetString("ADP_MissingSourceCommandConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to Missing SourceTable mapping: '{0}'. /// - internal static string ADP_MissingTableMapping { - get { + internal static string ADP_MissingTableMapping + { + get + { return ResourceManager.GetString("ADP_MissingTableMapping", resourceCulture); } } - + /// /// Looks up a localized string similar to Missing TableMapping when TableMapping.DataSetTable='{0}'.. /// - internal static string ADP_MissingTableMappingDestination { - get { + internal static string ADP_MissingTableMappingDestination + { + get + { return ResourceManager.GetString("ADP_MissingTableMappingDestination", resourceCulture); } } - + /// /// Looks up a localized string similar to Missing the '{0}' DataTable for the '{1}' SourceTable.. /// - internal static string ADP_MissingTableSchema { - get { + internal static string ADP_MissingTableSchema + { + get + { return ResourceManager.GetString("ADP_MissingTableSchema", resourceCulture); } } - + /// /// Looks up a localized string similar to Multiple return value parameters are not supported.. /// - internal static string ADP_MultipleReturnValue { - get { + internal static string ADP_MultipleReturnValue + { + get + { return ResourceManager.GetString("ADP_MultipleReturnValue", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} must be marked as read only.. /// - internal static string ADP_MustBeReadOnly { - get { + internal static string ADP_MustBeReadOnly + { + get + { return ResourceManager.GetString("ADP_MustBeReadOnly", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid value for argument '{0}'. The value must be greater than or equal to 0.. /// - internal static string ADP_NegativeParameter { - get { + internal static string ADP_NegativeParameter + { + get + { return ResourceManager.GetString("ADP_NegativeParameter", resourceCulture); } } - + /// /// Looks up a localized string similar to The ConnectionString property has not been initialized.. /// - internal static string ADP_NoConnectionString { - get { + internal static string ADP_NoConnectionString + { + get + { return ResourceManager.GetString("ADP_NoConnectionString", resourceCulture); } } - + /// /// Looks up a localized string similar to A Non CLS Exception was caught.. /// - internal static string ADP_NonCLSException { - get { + internal static string ADP_NonCLSException + { + get + { return ResourceManager.GetString("ADP_NonCLSException", resourceCulture); } } - + /// /// Looks up a localized string similar to Timeout attempting to open the connection. The time period elapsed prior to attempting to open the connection has been exceeded. This may have occurred because of too many simultaneous non-pooled connection attempts.. /// - internal static string ADP_NonPooledOpenTimeout { - get { + internal static string ADP_NonPooledOpenTimeout + { + get + { return ResourceManager.GetString("ADP_NonPooledOpenTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid {2} attempt at dataIndex '{0}'. With CommandBehavior.SequentialAccess, you may only read from dataIndex '{1}' or greater.. /// - internal static string ADP_NonSeqByteAccess { - get { + internal static string ADP_NonSeqByteAccess + { + get + { return ResourceManager.GetString("ADP_NonSeqByteAccess", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to read from column ordinal '{0}'. With CommandBehavior.SequentialAccess, you may only read from column ordinal '{1}' or greater.. /// - internal static string ADP_NonSequentialColumnAccess { - get { + internal static string ADP_NonSequentialColumnAccess + { + get + { return ResourceManager.GetString("ADP_NonSequentialColumnAccess", resourceCulture); } } - + /// /// Looks up a localized string similar to The QuotePrefix and QuoteSuffix properties cannot be changed once an Insert, Update, or Delete command has been generated.. /// - internal static string ADP_NoQuoteChange { - get { + internal static string ADP_NoQuoteChange + { + get + { return ResourceManager.GetString("ADP_NoQuoteChange", resourceCulture); } } - + /// /// Looks up a localized string similar to The stored procedure '{0}' doesn't exist.. /// - internal static string ADP_NoStoredProcedureExists { - get { + internal static string ADP_NoStoredProcedureExists + { + get + { return ResourceManager.GetString("ADP_NoStoredProcedureExists", resourceCulture); } } - + /// /// Looks up a localized string similar to Given security element is not a permission element.. /// - internal static string ADP_NotAPermissionElement { - get { + internal static string ADP_NotAPermissionElement + { + get + { return ResourceManager.GetString("ADP_NotAPermissionElement", resourceCulture); } } - + /// /// Looks up a localized string similar to Metadata must be SqlDbType.Row. /// - internal static string ADP_NotRowType { - get { + internal static string ADP_NotRowType + { + get + { return ResourceManager.GetString("ADP_NotRowType", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} enumeration value, {1}, is not supported by the {2} method.. /// - internal static string ADP_NotSupportedEnumerationValue { - get { + internal static string ADP_NotSupportedEnumerationValue + { + get + { return ResourceManager.GetString("ADP_NotSupportedEnumerationValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Unexpected null DataSet argument.. /// - internal static string ADP_NullDataSet { - get { + internal static string ADP_NullDataSet + { + get + { return ResourceManager.GetString("ADP_NullDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Unexpected null DataTable argument. /// - internal static string ADP_NullDataTable { - get { + internal static string ADP_NullDataTable + { + get + { return ResourceManager.GetString("ADP_NullDataTable", resourceCulture); } } - + /// /// Looks up a localized string similar to The numerical value is too large to fit into a 96 bit decimal.. /// - internal static string ADP_NumericToDecimalOverflow { - get { + internal static string ADP_NumericToDecimalOverflow + { + get + { return ResourceManager.GetString("ADP_NumericToDecimalOverflow", resourceCulture); } } - + /// /// Looks up a localized string similar to The '{0}' keyword is obsolete. Use '{1}' instead.. /// - internal static string ADP_ObsoleteKeyword { - get { + internal static string ADP_ObsoleteKeyword + { + get + { return ResourceManager.GetString("ADP_ObsoleteKeyword", resourceCulture); } } - + /// /// Looks up a localized string similar to The ODBC provider did not return results from SQLGETTYPEINFO.. /// - internal static string ADP_OdbcNoTypesFromProvider { - get { + internal static string ADP_OdbcNoTypesFromProvider + { + get + { return ResourceManager.GetString("ADP_OdbcNoTypesFromProvider", resourceCulture); } } - + /// /// Looks up a localized string similar to Offset must refer to a location within the value.. /// - internal static string ADP_OffsetOutOfRangeException { - get { + internal static string ADP_OffsetOutOfRangeException + { + get + { return ResourceManager.GetString("ADP_OffsetOutOfRangeException", resourceCulture); } } - + /// /// Looks up a localized string similar to Only specify one item in the dataTables array when using non-zero values for startRecords or maxRecords.. /// - internal static string ADP_OnlyOneTableForStartRecordOrMaxRecords { - get { + internal static string ADP_OnlyOneTableForStartRecordOrMaxRecords + { + get + { return ResourceManager.GetString("ADP_OnlyOneTableForStartRecordOrMaxRecords", resourceCulture); } } - + /// /// Looks up a localized string similar to Not allowed to change the '{0}' property. {1}. /// - internal static string ADP_OpenConnectionPropertySet { - get { + internal static string ADP_OpenConnectionPropertySet + { + get + { return ResourceManager.GetString("ADP_OpenConnectionPropertySet", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} requires an open and available Connection. {1}. /// - internal static string ADP_OpenConnectionRequired { - get { + internal static string ADP_OpenConnectionRequired + { + get + { return ResourceManager.GetString("ADP_OpenConnectionRequired", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires the updating command to have an open connection object. {1}. /// - internal static string ADP_OpenConnectionRequired_Clone { - get { + internal static string ADP_OpenConnectionRequired_Clone + { + get + { return ResourceManager.GetString("ADP_OpenConnectionRequired_Clone", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires the {0}Command to have an open connection object. {1}. /// - internal static string ADP_OpenConnectionRequired_Delete { - get { + internal static string ADP_OpenConnectionRequired_Delete + { + get + { return ResourceManager.GetString("ADP_OpenConnectionRequired_Delete", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires the {0}Command to have an open connection object. {1}. /// - internal static string ADP_OpenConnectionRequired_Insert { - get { + internal static string ADP_OpenConnectionRequired_Insert + { + get + { return ResourceManager.GetString("ADP_OpenConnectionRequired_Insert", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires the {0}Command to have an open connection object. {1}. /// - internal static string ADP_OpenConnectionRequired_Update { - get { + internal static string ADP_OpenConnectionRequired_Update + { + get + { return ResourceManager.GetString("ADP_OpenConnectionRequired_Update", resourceCulture); } } - + /// /// Looks up a localized string similar to There is already an open DataReader associated with this {0} which must be closed first.. /// - internal static string ADP_OpenReaderExists { - get { + internal static string ADP_OpenReaderExists + { + get + { return ResourceManager.GetString("ADP_OpenReaderExists", resourceCulture); } } - + /// /// Looks up a localized string similar to There is already an open SqlResultSet associated with this command which must be closed first.. /// - internal static string ADP_OpenResultSetExists { - get { + internal static string ADP_OpenResultSetExists + { + get + { return ResourceManager.GetString("ADP_OpenResultSetExists", resourceCulture); } } - + /// /// Looks up a localized string similar to Operation aborted.. /// - internal static string ADP_OperationAborted { - get { + internal static string ADP_OperationAborted + { + get + { return ResourceManager.GetString("ADP_OperationAborted", resourceCulture); } } - + /// /// Looks up a localized string similar to Operation aborted due to an exception (see InnerException for details).. /// - internal static string ADP_OperationAbortedExceptionMessage { - get { + internal static string ADP_OperationAbortedExceptionMessage + { + get + { return ResourceManager.GetString("ADP_OperationAbortedExceptionMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} does not support parallel transactions.. /// - internal static string ADP_ParallelTransactionsNotSupported { - get { + internal static string ADP_ParallelTransactionsNotSupported + { + get + { return ResourceManager.GetString("ADP_ParallelTransactionsNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to convert parameter value from a {0} to a {1}.. /// - internal static string ADP_ParameterConversionFailed { - get { + internal static string ADP_ParameterConversionFailed + { + get + { return ResourceManager.GetString("ADP_ParameterConversionFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Parameter value '{0}' is out of range.. /// - internal static string ADP_ParameterValueOutOfRange { - get { + internal static string ADP_ParameterValueOutOfRange + { + get + { return ResourceManager.GetString("ADP_ParameterValueOutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Can not start another operation while there is an asynchronous operation pending.. /// - internal static string ADP_PendingAsyncOperation { - get { + internal static string ADP_PendingAsyncOperation + { + get + { return ResourceManager.GetString("ADP_PendingAsyncOperation", resourceCulture); } } - + /// /// Looks up a localized string similar to Type mismatch.. /// - internal static string ADP_PermissionTypeMismatch { - get { + internal static string ADP_PermissionTypeMismatch + { + get + { return ResourceManager.GetString("ADP_PermissionTypeMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Timeout expired. The timeout period elapsed prior to obtaining a connection from the pool. This may have occurred because all pooled connections were in use and max pool size was reached.. /// - internal static string ADP_PooledOpenTimeout { - get { + internal static string ADP_PooledOpenTimeout + { + get + { return ResourceManager.GetString("ADP_PooledOpenTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to {0}.Prepare method requires parameters of type '{1}' have an explicitly set Precision and Scale.. /// - internal static string ADP_PrepareParameterScale { - get { + internal static string ADP_PrepareParameterScale + { + get + { return ResourceManager.GetString("ADP_PrepareParameterScale", resourceCulture); } } - + /// /// Looks up a localized string similar to {0}.Prepare method requires all variable length parameters to have an explicitly set non-zero Size.. /// - internal static string ADP_PrepareParameterSize { - get { + internal static string ADP_PrepareParameterSize + { + get + { return ResourceManager.GetString("ADP_PrepareParameterSize", resourceCulture); } } - + /// /// Looks up a localized string similar to {0}.Prepare method requires all parameters to have an explicitly set type.. /// - internal static string ADP_PrepareParameterType { - get { + internal static string ADP_PrepareParameterType + { + get + { return ResourceManager.GetString("ADP_PrepareParameterType", resourceCulture); } } - + /// /// Looks up a localized string similar to The '{0}' property requires Microsoft WindowsNT or a WindowsNT based operating system.. /// - internal static string ADP_PropertyNotSupported { - get { + internal static string ADP_PropertyNotSupported + { + get + { return ResourceManager.GetString("ADP_PropertyNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} requires open connection when the quote prefix has not been set.. /// - internal static string ADP_QuotePrefixNotSet { - get { + internal static string ADP_QuotePrefixNotSet + { + get + { return ResourceManager.GetString("ADP_QuotePrefixNotSet", resourceCulture); } } - + /// /// Looks up a localized string similar to When batching, the command's UpdatedRowSource property value of UpdateRowSource.FirstReturnedRecord or UpdateRowSource.Both is invalid.. /// - internal static string ADP_ResultsNotAllowedDuringBatch { - get { + internal static string ADP_ResultsNotAllowedDuringBatch + { + get + { return ResourceManager.GetString("ADP_ResultsNotAllowedDuringBatch", resourceCulture); } } - + /// /// Looks up a localized string similar to RowUpdatedEvent: Errors occurred; no additional is information available.. /// - internal static string ADP_RowUpdatedErrors { - get { + internal static string ADP_RowUpdatedErrors + { + get + { return ResourceManager.GetString("ADP_RowUpdatedErrors", resourceCulture); } } - + /// /// Looks up a localized string similar to RowUpdatingEvent: Errors occurred; no additional is information available.. /// - internal static string ADP_RowUpdatingErrors { - get { + internal static string ADP_RowUpdatingErrors + { + get + { return ResourceManager.GetString("ADP_RowUpdatingErrors", resourceCulture); } } - + /// /// Looks up a localized string similar to The only acceptable value for the property '{0}' is '{1}'.. /// - internal static string ADP_SingleValuedProperty { - get { + internal static string ADP_SingleValuedProperty + { + get + { return ResourceManager.GetString("ADP_SingleValuedProperty", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to {0} when stream is closed.. /// - internal static string ADP_StreamClosed { - get { + internal static string ADP_StreamClosed + { + get + { return ResourceManager.GetString("ADP_StreamClosed", resourceCulture); } } - + /// /// Looks up a localized string similar to The transaction assigned to this command must be the most nested pending local transaction.. /// - internal static string ADP_TransactionCompleted { - get { + internal static string ADP_TransactionCompleted + { + get + { return ResourceManager.GetString("ADP_TransactionCompleted", resourceCulture); } } - + /// /// Looks up a localized string similar to The transaction associated with the current connection has completed but has not been disposed. The transaction must be disposed before the connection can be used to execute SQL statements.. /// - internal static string ADP_TransactionCompletedButNotDisposed { - get { + internal static string ADP_TransactionCompletedButNotDisposed + { + get + { return ResourceManager.GetString("ADP_TransactionCompletedButNotDisposed", resourceCulture); } } - + /// /// Looks up a localized string similar to The transaction is either not associated with the current connection or has been completed.. /// - internal static string ADP_TransactionConnectionMismatch { - get { + internal static string ADP_TransactionConnectionMismatch + { + get + { return ResourceManager.GetString("ADP_TransactionConnectionMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection currently has transaction enlisted. Finish current transaction and retry.. /// - internal static string ADP_TransactionPresent { - get { + internal static string ADP_TransactionPresent + { + get + { return ResourceManager.GetString("ADP_TransactionPresent", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} requires the command to have a transaction when the connection assigned to the command is in a pending local transaction. The Transaction property of the command has not been initialized.. /// - internal static string ADP_TransactionRequired { - get { + internal static string ADP_TransactionRequired + { + get + { return ResourceManager.GetString("ADP_TransactionRequired", resourceCulture); } } - + /// /// Looks up a localized string similar to This {0} has completed; it is no longer usable.. /// - internal static string ADP_TransactionZombied { - get { + internal static string ADP_TransactionZombied + { + get + { return ResourceManager.GetString("ADP_TransactionZombied", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to load the UDL file.. /// - internal static string ADP_UdlFileError { - get { + internal static string ADP_UdlFileError + { + get + { return ResourceManager.GetString("ADP_UdlFileError", resourceCulture); } } - + /// /// Looks up a localized string similar to Can not determine the correct boolean literal values. Boolean literals can not be created.. /// - internal static string ADP_UnableToCreateBooleanLiteral { - get { + internal static string ADP_UnableToCreateBooleanLiteral + { + get + { return ResourceManager.GetString("ADP_UnableToCreateBooleanLiteral", resourceCulture); } } - + /// /// Looks up a localized string similar to {1}[{0}]: the Size property has an invalid size of 0.. /// - internal static string ADP_UninitializedParameterSize { - get { + internal static string ADP_UninitializedParameterSize + { + get + { return ResourceManager.GetString("ADP_UninitializedParameterSize", resourceCulture); } } - + /// /// Looks up a localized string similar to No mapping exists from object type {0} to a known managed provider native type.. /// - internal static string ADP_UnknownDataType { - get { + internal static string ADP_UnknownDataType + { + get + { return ResourceManager.GetString("ADP_UnknownDataType", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to handle an unknown TypeCode {0} returned by Type {1}.. /// - internal static string ADP_UnknownDataTypeCode { - get { + internal static string ADP_UnknownDataTypeCode + { + get + { return ResourceManager.GetString("ADP_UnknownDataTypeCode", resourceCulture); } } - + /// /// Looks up a localized string similar to Literals of the native data type associated with data type '{0}' are not supported.. /// - internal static string ADP_UnsupportedNativeDataTypeOleDb { - get { + internal static string ADP_UnsupportedNativeDataTypeOleDb + { + get + { return ResourceManager.GetString("ADP_UnsupportedNativeDataTypeOleDb", resourceCulture); } } - + /// /// Looks up a localized string similar to The StatementType {0} is not expected here.. /// - internal static string ADP_UnwantedStatementType { - get { + internal static string ADP_UnwantedStatementType + { + get + { return ResourceManager.GetString("ADP_UnwantedStatementType", resourceCulture); } } - + /// /// Looks up a localized string similar to Concurrency violation: the batched command affected {0} of the expected {1} records.. /// - internal static string ADP_UpdateConcurrencyViolation_Batch { - get { + internal static string ADP_UpdateConcurrencyViolation_Batch + { + get + { return ResourceManager.GetString("ADP_UpdateConcurrencyViolation_Batch", resourceCulture); } } - + /// /// Looks up a localized string similar to Concurrency violation: the DeleteCommand affected {0} of the expected {1} records.. /// - internal static string ADP_UpdateConcurrencyViolation_Delete { - get { + internal static string ADP_UpdateConcurrencyViolation_Delete + { + get + { return ResourceManager.GetString("ADP_UpdateConcurrencyViolation_Delete", resourceCulture); } } - + /// /// Looks up a localized string similar to Concurrency violation: the UpdateCommand affected {0} of the expected {1} records.. /// - internal static string ADP_UpdateConcurrencyViolation_Update { - get { + internal static string ADP_UpdateConcurrencyViolation_Update + { + get + { return ResourceManager.GetString("ADP_UpdateConcurrencyViolation_Update", resourceCulture); } } - + /// /// Looks up a localized string similar to DataRow[{0}] is from a different DataTable than DataRow[0].. /// - internal static string ADP_UpdateMismatchRowTable { - get { + internal static string ADP_UpdateMismatchRowTable + { + get + { return ResourceManager.GetString("ADP_UpdateMismatchRowTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires the command clone to be valid.. /// - internal static string ADP_UpdateRequiresCommandClone { - get { + internal static string ADP_UpdateRequiresCommandClone + { + get + { return ResourceManager.GetString("ADP_UpdateRequiresCommandClone", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires a valid DeleteCommand when passed DataRow collection with deleted rows.. /// - internal static string ADP_UpdateRequiresCommandDelete { - get { + internal static string ADP_UpdateRequiresCommandDelete + { + get + { return ResourceManager.GetString("ADP_UpdateRequiresCommandDelete", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires a valid InsertCommand when passed DataRow collection with new rows.. /// - internal static string ADP_UpdateRequiresCommandInsert { - get { + internal static string ADP_UpdateRequiresCommandInsert + { + get + { return ResourceManager.GetString("ADP_UpdateRequiresCommandInsert", resourceCulture); } } - + /// /// Looks up a localized string similar to Auto SQL generation during Update requires a valid SelectCommand.. /// - internal static string ADP_UpdateRequiresCommandSelect { - get { + internal static string ADP_UpdateRequiresCommandSelect + { + get + { return ResourceManager.GetString("ADP_UpdateRequiresCommandSelect", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires a valid UpdateCommand when passed DataRow collection with modified rows.. /// - internal static string ADP_UpdateRequiresCommandUpdate { - get { + internal static string ADP_UpdateRequiresCommandUpdate + { + get + { return ResourceManager.GetString("ADP_UpdateRequiresCommandUpdate", resourceCulture); } } - + /// /// Looks up a localized string similar to Update unable to find TableMapping['{0}'] or DataTable '{0}'.. /// - internal static string ADP_UpdateRequiresSourceTable { - get { + internal static string ADP_UpdateRequiresSourceTable + { + get + { return ResourceManager.GetString("ADP_UpdateRequiresSourceTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Update: expected a non-empty SourceTable name.. /// - internal static string ADP_UpdateRequiresSourceTableName { - get { + internal static string ADP_UpdateRequiresSourceTableName + { + get + { return ResourceManager.GetString("ADP_UpdateRequiresSourceTableName", resourceCulture); } } - + /// /// Looks up a localized string similar to The version of SQL Server in use does not support datatype '{0}'.. /// - internal static string ADP_VersionDoesNotSupportDataType { - get { + internal static string ADP_VersionDoesNotSupportDataType + { + get + { return ResourceManager.GetString("ADP_VersionDoesNotSupportDataType", resourceCulture); } } - + /// /// Looks up a localized string similar to The validation of an attestation token failed. The token signature does not match the signature omputed using a public key retrieved from the attestation public key endpoint at '{0}'. Verify the DNS apping for the endpoint. If correct, contact Customer Support Services.. /// - internal static string AttestationTokenSignatureValidationFailed { - get { + internal static string AttestationTokenSignatureValidationFailed + { + get + { return ResourceManager.GetString("AttestationTokenSignatureValidationFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Access token could not be acquired.. /// - internal static string Azure_GenericErrorMessage { - get { + internal static string Azure_GenericErrorMessage + { + get + { return ResourceManager.GetString("Azure_GenericErrorMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to connect to the Managed Identity endpoint. Please check that you are running on an Azure resource that has Identity setup.. /// - internal static string Azure_IdentityEndpointNotListening { - get { + internal static string Azure_IdentityEndpointNotListening + { + get + { return ResourceManager.GetString("Azure_IdentityEndpointNotListening", resourceCulture); } } - + /// /// Looks up a localized string similar to Tried to get token using Managed Identity.. /// - internal static string Azure_ManagedIdentityUsed { - get { + internal static string Azure_ManagedIdentityUsed + { + get + { return ResourceManager.GetString("Azure_ManagedIdentityUsed", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to connect to the Instance Metadata Service (IMDS). Skipping request to the Managed Identity token endpoint.. /// - internal static string Azure_MetadataEndpointNotListening { - get { + internal static string Azure_MetadataEndpointNotListening + { + get + { return ResourceManager.GetString("Azure_MetadataEndpointNotListening", resourceCulture); } } - + /// /// Looks up a localized string similar to Received a non-retryable error.. /// - internal static string Azure_NonRetryableError { - get { + internal static string Azure_NonRetryableError + { + get + { return ResourceManager.GetString("Azure_NonRetryableError", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed after 5 retries.. /// - internal static string Azure_RetryFailure { - get { + internal static string Azure_RetryFailure + { + get + { return ResourceManager.GetString("Azure_RetryFailure", resourceCulture); } } - + /// /// Looks up a localized string similar to .database.chinacloudapi.cn. /// - internal static string AZURESQL_ChinaEndpoint { - get { + internal static string AZURESQL_ChinaEndpoint + { + get + { return ResourceManager.GetString("AZURESQL_ChinaEndpoint", resourceCulture); } } - + /// /// Looks up a localized string similar to .database.windows.net. /// - internal static string AZURESQL_GenericEndpoint { - get { + internal static string AZURESQL_GenericEndpoint + { + get + { return ResourceManager.GetString("AZURESQL_GenericEndpoint", resourceCulture); } } - + /// /// Looks up a localized string similar to .database.cloudapi.de. /// - internal static string AZURESQL_GermanEndpoint { - get { + internal static string AZURESQL_GermanEndpoint + { + get + { return ResourceManager.GetString("AZURESQL_GermanEndpoint", resourceCulture); } } - + /// /// Looks up a localized string similar to .database.usgovcloudapi.net. /// - internal static string AZURESQL_UsGovEndpoint { - get { + internal static string AZURESQL_UsGovEndpoint + { + get + { return ResourceManager.GetString("AZURESQL_UsGovEndpoint", resourceCulture); } } - + /// /// Looks up a localized string similar to There is more than one table with the same name '{0}' (even if namespace is different).. /// - internal static string CodeGen_DuplicateTableName { - get { + internal static string CodeGen_DuplicateTableName + { + get + { return ResourceManager.GetString("CodeGen_DuplicateTableName", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot generate identifier for name '{0}'.. /// - internal static string CodeGen_InvalidIdentifier { - get { + internal static string CodeGen_InvalidIdentifier + { + get + { return ResourceManager.GetString("CodeGen_InvalidIdentifier", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}': Type '{1}' does not have parameterless constructor.. /// - internal static string CodeGen_NoCtor0 { - get { + internal static string CodeGen_NoCtor0 + { + get + { return ResourceManager.GetString("CodeGen_NoCtor0", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}': Type '{1}' does not have constructor with string argument.. /// - internal static string CodeGen_NoCtor1 { - get { + internal static string CodeGen_NoCtor1 + { + get + { return ResourceManager.GetString("CodeGen_NoCtor1", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}': Type '{1}' cannot be null.. /// - internal static string CodeGen_TypeCantBeNull { - get { + internal static string CodeGen_TypeCantBeNull + { + get + { return ResourceManager.GetString("CodeGen_TypeCantBeNull", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs whenever this collection's membership changes.. /// - internal static string collectionChangedEventDescr { - get { + internal static string collectionChangedEventDescr + { + get + { return ResourceManager.GetString("collectionChangedEventDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Only elements allowed.. /// - internal static string ConfigBaseElementsOnly { - get { + internal static string ConfigBaseElementsOnly + { + get + { return ResourceManager.GetString("ConfigBaseElementsOnly", resourceCulture); } } - + /// /// Looks up a localized string similar to Child nodes not allowed.. /// - internal static string ConfigBaseNoChildNodes { - get { + internal static string ConfigBaseNoChildNodes + { + get + { return ResourceManager.GetString("ConfigBaseNoChildNodes", resourceCulture); } } - + /// /// Looks up a localized string similar to The requested .NET Framework Data Provider's implementation does not have an Instance field of a System.Data.Common.DbProviderFactory derived type.. /// - internal static string ConfigProviderInvalid { - get { + internal static string ConfigProviderInvalid + { + get + { return ResourceManager.GetString("ConfigProviderInvalid", resourceCulture); } } - + /// /// Looks up a localized string similar to The missing .NET Framework Data Provider's assembly qualified name is required.. /// - internal static string ConfigProviderMissing { - get { + internal static string ConfigProviderMissing + { + get + { return ResourceManager.GetString("ConfigProviderMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to find the requested .NET Framework Data Provider. It may not be installed.. /// - internal static string ConfigProviderNotFound { - get { + internal static string ConfigProviderNotFound + { + get + { return ResourceManager.GetString("ConfigProviderNotFound", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to find or load the registered .NET Framework Data Provider.. /// - internal static string ConfigProviderNotInstalled { - get { + internal static string ConfigProviderNotInstalled + { + get + { return ResourceManager.GetString("ConfigProviderNotInstalled", resourceCulture); } } - + /// /// Looks up a localized string similar to Required attribute '{0}' cannot be empty.. /// - internal static string ConfigRequiredAttributeEmpty { - get { + internal static string ConfigRequiredAttributeEmpty + { + get + { return ResourceManager.GetString("ConfigRequiredAttributeEmpty", resourceCulture); } } - + /// /// Looks up a localized string similar to Required attribute '{0}' not found.. /// - internal static string ConfigRequiredAttributeMissing { - get { + internal static string ConfigRequiredAttributeMissing + { + get + { return ResourceManager.GetString("ConfigRequiredAttributeMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to The '{0}' section can only appear once per config file.. /// - internal static string ConfigSectionsUnique { - get { + internal static string ConfigSectionsUnique + { + get + { return ResourceManager.GetString("ConfigSectionsUnique", resourceCulture); } } - + /// /// Looks up a localized string similar to Unrecognized attribute '{0}'.. /// - internal static string ConfigUnrecognizedAttributes { - get { + internal static string ConfigUnrecognizedAttributes + { + get + { return ResourceManager.GetString("ConfigUnrecognizedAttributes", resourceCulture); } } - + /// /// Looks up a localized string similar to Unrecognized element.. /// - internal static string ConfigUnrecognizedElement { - get { + internal static string ConfigUnrecognizedElement + { + get + { return ResourceManager.GetString("ConfigUnrecognizedElement", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the name of this constraint.. /// - internal static string ConstraintNameDescr { - get { + internal static string ConstraintNameDescr + { + get + { return ResourceManager.GetString("ConstraintNameDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the table of this constraint.. /// - internal static string ConstraintTableDescr { - get { + internal static string ConstraintTableDescr + { + get + { return ResourceManager.GetString("ConstraintTableDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}' argument contains null value.. /// - internal static string Data_ArgumentContainsNull { - get { + internal static string Data_ArgumentContainsNull + { + get + { return ResourceManager.GetString("Data_ArgumentContainsNull", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}' argument cannot be null.. /// - internal static string Data_ArgumentNull { - get { + internal static string Data_ArgumentNull + { + get + { return ResourceManager.GetString("Data_ArgumentNull", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}' argument is out of range.. /// - internal static string Data_ArgumentOutOfRange { - get { + internal static string Data_ArgumentOutOfRange + { + get + { return ResourceManager.GetString("Data_ArgumentOutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Collection itself is not modifiable.. /// - internal static string Data_CannotModifyCollection { - get { + internal static string Data_CannotModifyCollection + { + get + { return ResourceManager.GetString("Data_CannotModifyCollection", resourceCulture); } } - + /// /// Looks up a localized string similar to The given name '{0}' matches at least two names in the collection object with different cases, but does not match either of them with the same case.. /// - internal static string Data_CaseInsensitiveNameConflict { - get { + internal static string Data_CaseInsensitiveNameConflict + { + get + { return ResourceManager.GetString("Data_CaseInsensitiveNameConflict", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to enable constraints. One or more rows contain values violating non-null, unique, or foreign-key constraints.. /// - internal static string Data_EnforceConstraints { - get { + internal static string Data_EnforceConstraints + { + get + { return ResourceManager.GetString("Data_EnforceConstraints", resourceCulture); } } - + /// /// Looks up a localized string similar to Offset and length were out of bounds for the array or count is greater than the number of elements from index to the end of the source collection.. /// - internal static string Data_InvalidOffsetLength { - get { + internal static string Data_InvalidOffsetLength + { + get + { return ResourceManager.GetString("Data_InvalidOffsetLength", resourceCulture); } } - + /// /// Looks up a localized string similar to The given name '{0}' matches at least two names in the collection object with different namespaces.. /// - internal static string Data_NamespaceNameConflict { - get { + internal static string Data_NamespaceNameConflict + { + get + { return ResourceManager.GetString("Data_NamespaceNameConflict", resourceCulture); } } - + /// /// Looks up a localized string similar to Whether or not Fill will call DataRow.AcceptChanges.. /// - internal static string DataAdapter_AcceptChangesDuringFill { - get { + internal static string DataAdapter_AcceptChangesDuringFill + { + get + { return ResourceManager.GetString("DataAdapter_AcceptChangesDuringFill", resourceCulture); } } - + /// /// Looks up a localized string similar to Whether or not Update will call DataRow.AcceptChanges.. /// - internal static string DataAdapter_AcceptChangesDuringUpdate { - get { + internal static string DataAdapter_AcceptChangesDuringUpdate + { + get + { return ResourceManager.GetString("DataAdapter_AcceptChangesDuringUpdate", resourceCulture); } } - + /// /// Looks up a localized string similar to Whether or not to continue to the next DataRow when the Update events, RowUpdating and RowUpdated, Status is UpdateStatus.ErrorsOccurred.. /// - internal static string DataAdapter_ContinueUpdateOnError { - get { + internal static string DataAdapter_ContinueUpdateOnError + { + get + { return ResourceManager.GetString("DataAdapter_ContinueUpdateOnError", resourceCulture); } } - + /// /// Looks up a localized string similar to Event triggered when a recoverable error occurs during Fill.. /// - internal static string DataAdapter_FillError { - get { + internal static string DataAdapter_FillError + { + get + { return ResourceManager.GetString("DataAdapter_FillError", resourceCulture); } } - + /// /// Looks up a localized string similar to How the adapter fills the DataTable from the DataReader.. /// - internal static string DataAdapter_FillLoadOption { - get { + internal static string DataAdapter_FillLoadOption + { + get + { return ResourceManager.GetString("DataAdapter_FillLoadOption", resourceCulture); } } - + /// /// Looks up a localized string similar to The action taken when a table or column in the TableMappings is missing.. /// - internal static string DataAdapter_MissingMappingAction { - get { + internal static string DataAdapter_MissingMappingAction + { + get + { return ResourceManager.GetString("DataAdapter_MissingMappingAction", resourceCulture); } } - + /// /// Looks up a localized string similar to The action taken when a table or column in the DataSet is missing.. /// - internal static string DataAdapter_MissingSchemaAction { - get { + internal static string DataAdapter_MissingSchemaAction + { + get + { return ResourceManager.GetString("DataAdapter_MissingSchemaAction", resourceCulture); } } - + /// /// Looks up a localized string similar to Should Fill return provider specific values or common CLSCompliant values.. /// - internal static string DataAdapter_ReturnProviderSpecificTypes { - get { + internal static string DataAdapter_ReturnProviderSpecificTypes + { + get + { return ResourceManager.GetString("DataAdapter_ReturnProviderSpecificTypes", resourceCulture); } } - + /// /// Looks up a localized string similar to How to map source table to DataSet table.. /// - internal static string DataAdapter_TableMappings { - get { + internal static string DataAdapter_TableMappings + { + get + { return ResourceManager.GetString("DataAdapter_TableMappings", resourceCulture); } } - + /// /// Looks up a localized string similar to Action. /// - internal static string DataCategory_Action { - get { + internal static string DataCategory_Action + { + get + { return ResourceManager.GetString("DataCategory_Action", resourceCulture); } } - + /// /// Looks up a localized string similar to Advanced. /// - internal static string DataCategory_Advanced { - get { + internal static string DataCategory_Advanced + { + get + { return ResourceManager.GetString("DataCategory_Advanced", resourceCulture); } } - + /// /// Looks up a localized string similar to Behavior. /// - internal static string DataCategory_Behavior { - get { + internal static string DataCategory_Behavior + { + get + { return ResourceManager.GetString("DataCategory_Behavior", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection Resiliency. /// - internal static string DataCategory_ConnectionResilency { - get { + internal static string DataCategory_ConnectionResilency + { + get + { return ResourceManager.GetString("DataCategory_ConnectionResilency", resourceCulture); } } - + /// /// Looks up a localized string similar to Context. /// - internal static string DataCategory_Context { - get { + internal static string DataCategory_Context + { + get + { return ResourceManager.GetString("DataCategory_Context", resourceCulture); } } - + /// /// Looks up a localized string similar to Data. /// - internal static string DataCategory_Data { - get { + internal static string DataCategory_Data + { + get + { return ResourceManager.GetString("DataCategory_Data", resourceCulture); } } - + /// /// Looks up a localized string similar to Fill. /// - internal static string DataCategory_Fill { - get { + internal static string DataCategory_Fill + { + get + { return ResourceManager.GetString("DataCategory_Fill", resourceCulture); } } - + /// /// Looks up a localized string similar to InfoMessage. /// - internal static string DataCategory_InfoMessage { - get { + internal static string DataCategory_InfoMessage + { + get + { return ResourceManager.GetString("DataCategory_InfoMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Initialization. /// - internal static string DataCategory_Initialization { - get { + internal static string DataCategory_Initialization + { + get + { return ResourceManager.GetString("DataCategory_Initialization", resourceCulture); } } - + /// /// Looks up a localized string similar to Mapping. /// - internal static string DataCategory_Mapping { - get { + internal static string DataCategory_Mapping + { + get + { return ResourceManager.GetString("DataCategory_Mapping", resourceCulture); } } - + /// /// Looks up a localized string similar to Named ConnectionString. /// - internal static string DataCategory_NamedConnectionString { - get { + internal static string DataCategory_NamedConnectionString + { + get + { return ResourceManager.GetString("DataCategory_NamedConnectionString", resourceCulture); } } - + /// /// Looks up a localized string similar to Notification. /// - internal static string DataCategory_Notification { - get { + internal static string DataCategory_Notification + { + get + { return ResourceManager.GetString("DataCategory_Notification", resourceCulture); } } - + /// /// Looks up a localized string similar to Pooling. /// - internal static string DataCategory_Pooling { - get { + internal static string DataCategory_Pooling + { + get + { return ResourceManager.GetString("DataCategory_Pooling", resourceCulture); } } - + /// /// Looks up a localized string similar to Replication. /// - internal static string DataCategory_Replication { - get { + internal static string DataCategory_Replication + { + get + { return ResourceManager.GetString("DataCategory_Replication", resourceCulture); } } - + /// /// Looks up a localized string similar to Schema. /// - internal static string DataCategory_Schema { - get { + internal static string DataCategory_Schema + { + get + { return ResourceManager.GetString("DataCategory_Schema", resourceCulture); } } - + /// /// Looks up a localized string similar to Security. /// - internal static string DataCategory_Security { - get { + internal static string DataCategory_Security + { + get + { return ResourceManager.GetString("DataCategory_Security", resourceCulture); } } - + /// /// Looks up a localized string similar to Source. /// - internal static string DataCategory_Source { - get { + internal static string DataCategory_Source + { + get + { return ResourceManager.GetString("DataCategory_Source", resourceCulture); } } - + /// /// Looks up a localized string similar to StateChange. /// - internal static string DataCategory_StateChange { - get { + internal static string DataCategory_StateChange + { + get + { return ResourceManager.GetString("DataCategory_StateChange", resourceCulture); } } - + /// /// Looks up a localized string similar to StatementCompleted. /// - internal static string DataCategory_StatementCompleted { - get { + internal static string DataCategory_StatementCompleted + { + get + { return ResourceManager.GetString("DataCategory_StatementCompleted", resourceCulture); } } - + /// /// Looks up a localized string similar to UDT. /// - internal static string DataCategory_Udt { - get { + internal static string DataCategory_Udt + { + get + { return ResourceManager.GetString("DataCategory_Udt", resourceCulture); } } - + /// /// Looks up a localized string similar to Update. /// - internal static string DataCategory_Update { - get { + internal static string DataCategory_Update + { + get + { return ResourceManager.GetString("DataCategory_Update", resourceCulture); } } - + /// /// Looks up a localized string similar to XML. /// - internal static string DataCategory_Xml { - get { + internal static string DataCategory_Xml + { + get + { return ResourceManager.GetString("DataCategory_Xml", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set AutoIncrement property for a column with DefaultValue set.. /// - internal static string DataColumn_AutoIncrementAndDefaultValue { - get { + internal static string DataColumn_AutoIncrementAndDefaultValue + { + get + { return ResourceManager.GetString("DataColumn_AutoIncrementAndDefaultValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set AutoIncrement property for a computed column.. /// - internal static string DataColumn_AutoIncrementAndExpression { - get { + internal static string DataColumn_AutoIncrementAndExpression + { + get + { return ResourceManager.GetString("DataColumn_AutoIncrementAndExpression", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change AutoIncrement of a DataColumn with type '{0}' once it has data.. /// - internal static string DataColumn_AutoIncrementCannotSetIfHasData { - get { + internal static string DataColumn_AutoIncrementCannotSetIfHasData + { + get + { return ResourceManager.GetString("DataColumn_AutoIncrementCannotSetIfHasData", resourceCulture); } } - + /// /// Looks up a localized string similar to AutoIncrementStep must be a non-zero value.. /// - internal static string DataColumn_AutoIncrementSeed { - get { + internal static string DataColumn_AutoIncrementSeed + { + get + { return ResourceManager.GetString("DataColumn_AutoIncrementSeed", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change the Column '{0}' property Namespace. The Column is SimpleContent.. /// - internal static string DataColumn_CannotChangeNamespace { - get { + internal static string DataColumn_CannotChangeNamespace + { + get + { return ResourceManager.GetString("DataColumn_CannotChangeNamespace", resourceCulture); } } - + /// /// Looks up a localized string similar to The DateTimeMode can be set only on DataColumns of type DateTime.. /// - internal static string DataColumn_CannotSetDateTimeModeForNonDateTimeColumns { - get { + internal static string DataColumn_CannotSetDateTimeModeForNonDateTimeColumns + { + get + { return ResourceManager.GetString("DataColumn_CannotSetDateTimeModeForNonDateTimeColumns", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set Column '{0}' property MaxLength to '{1}'. There is at least one string in the table longer than the new limit.. /// - internal static string DataColumn_CannotSetMaxLength { - get { + internal static string DataColumn_CannotSetMaxLength + { + get + { return ResourceManager.GetString("DataColumn_CannotSetMaxLength", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set Column '{0}' property MaxLength. The Column is SimpleContent.. /// - internal static string DataColumn_CannotSetMaxLength2 { - get { + internal static string DataColumn_CannotSetMaxLength2 + { + get + { return ResourceManager.GetString("DataColumn_CannotSetMaxLength2", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set Column '{0}' to be null. Please use DBNull instead.. /// - internal static string DataColumn_CannotSetToNull { - get { + internal static string DataColumn_CannotSetToNull + { + get + { return ResourceManager.GetString("DataColumn_CannotSetToNull", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set Column '{0}' property MappingType to SimpleContent. The Column DataType is {1}.. /// - internal static string DataColumn_CannotSimpleContent { - get { + internal static string DataColumn_CannotSimpleContent + { + get + { return ResourceManager.GetString("DataColumn_CannotSimpleContent", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set Column '{0}' property DataType to {1}. The Column is SimpleContent.. /// - internal static string DataColumn_CannotSimpleContentType { - get { + internal static string DataColumn_CannotSimpleContentType + { + get + { return ResourceManager.GetString("DataColumn_CannotSimpleContentType", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change DataType of a column once it has data.. /// - internal static string DataColumn_ChangeDataType { - get { + internal static string DataColumn_ChangeDataType + { + get + { return ResourceManager.GetString("DataColumn_ChangeDataType", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change DateTimeMode from '{0}' to '{1}' once the table has data.. /// - internal static string DataColumn_DateTimeMode { - get { + internal static string DataColumn_DateTimeMode + { + get + { return ResourceManager.GetString("DataColumn_DateTimeMode", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set a DefaultValue on an AutoIncrement column.. /// - internal static string DataColumn_DefaultValueAndAutoIncrement { - get { + internal static string DataColumn_DefaultValueAndAutoIncrement + { + get + { return ResourceManager.GetString("DataColumn_DefaultValueAndAutoIncrement", resourceCulture); } } - + /// /// Looks up a localized string similar to The DefaultValue for column {0} is of type {1}, but the column is of type {2}.. /// - internal static string DataColumn_DefaultValueColumnDataType { - get { + internal static string DataColumn_DefaultValueColumnDataType + { + get + { return ResourceManager.GetString("DataColumn_DefaultValueColumnDataType", resourceCulture); } } - + /// /// Looks up a localized string similar to The DefaultValue for column {0} is of type {1} and cannot be converted to {2}.. /// - internal static string DataColumn_DefaultValueDataType { - get { + internal static string DataColumn_DefaultValueDataType + { + get + { return ResourceManager.GetString("DataColumn_DefaultValueDataType", resourceCulture); } } - + /// /// Looks up a localized string similar to The DefaultValue for the column is of type {0} and cannot be converted to {1}.. /// - internal static string DataColumn_DefaultValueDataType1 { - get { + internal static string DataColumn_DefaultValueDataType1 + { + get + { return ResourceManager.GetString("DataColumn_DefaultValueDataType1", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' exceeds the MaxLength limit.. /// - internal static string DataColumn_ExceedMaxLength { - get { + internal static string DataColumn_ExceedMaxLength + { + get + { return ResourceManager.GetString("DataColumn_ExceedMaxLength", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set Expression property on column {0}, because it is a part of a constraint.. /// - internal static string DataColumn_ExpressionAndConstraint { - get { + internal static string DataColumn_ExpressionAndConstraint + { + get + { return ResourceManager.GetString("DataColumn_ExpressionAndConstraint", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set expression because column cannot be made ReadOnly.. /// - internal static string DataColumn_ExpressionAndReadOnly { - get { + internal static string DataColumn_ExpressionAndReadOnly + { + get + { return ResourceManager.GetString("DataColumn_ExpressionAndReadOnly", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot create an expression on a column that has AutoIncrement or Unique.. /// - internal static string DataColumn_ExpressionAndUnique { - get { + internal static string DataColumn_ExpressionAndUnique + { + get + { return ResourceManager.GetString("DataColumn_ExpressionAndUnique", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set Expression property due to circular reference in the expression.. /// - internal static string DataColumn_ExpressionCircular { - get { + internal static string DataColumn_ExpressionCircular + { + get + { return ResourceManager.GetString("DataColumn_ExpressionCircular", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot create a constraint based on Expression column {0}.. /// - internal static string DataColumn_ExpressionInConstraint { - get { + internal static string DataColumn_ExpressionInConstraint + { + get + { return ResourceManager.GetString("DataColumn_ExpressionInConstraint", resourceCulture); } } - + /// /// Looks up a localized string similar to MaxLength applies to string data type only. You cannot set Column '{0}' property MaxLength to be non-negative number.. /// - internal static string DataColumn_HasToBeStringType { - get { + internal static string DataColumn_HasToBeStringType + { + get + { return ResourceManager.GetString("DataColumn_HasToBeStringType", resourceCulture); } } - + /// /// Looks up a localized string similar to Type '{0}' does not contain static Null property or field.. /// - internal static string DataColumn_INullableUDTwithoutStaticNull { - get { + internal static string DataColumn_INullableUDTwithoutStaticNull + { + get + { return ResourceManager.GetString("DataColumn_INullableUDTwithoutStaticNull", resourceCulture); } } - + /// /// Looks up a localized string similar to DataColumn with type '{0}' is a complexType. Can not serialize value of a complex type as Attribute. /// - internal static string DataColumn_InvalidDataColumnMapping { - get { + internal static string DataColumn_InvalidDataColumnMapping + { + get + { return ResourceManager.GetString("DataColumn_InvalidDataColumnMapping", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}' is Invalid DataSetDateTime value.. /// - internal static string DataColumn_InvalidDateTimeMode { - get { + internal static string DataColumn_InvalidDateTimeMode + { + get + { return ResourceManager.GetString("DataColumn_InvalidDateTimeMode", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set column '{0}'. The value violates the MaxLength limit of this column.. /// - internal static string DataColumn_LongerThanMaxLength { - get { + internal static string DataColumn_LongerThanMaxLength + { + get + { return ResourceManager.GetString("DataColumn_LongerThanMaxLength", resourceCulture); } } - + /// /// Looks up a localized string similar to ColumnName is required when it is part of a DataTable.. /// - internal static string DataColumn_NameRequired { - get { + internal static string DataColumn_NameRequired + { + get + { return ResourceManager.GetString("DataColumn_NameRequired", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' contains non-unique values.. /// - internal static string DataColumn_NonUniqueValues { - get { + internal static string DataColumn_NonUniqueValues + { + get + { return ResourceManager.GetString("DataColumn_NonUniqueValues", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' does not allow DBNull.Value.. /// - internal static string DataColumn_NotAllowDBNull { - get { + internal static string DataColumn_NotAllowDBNull + { + get + { return ResourceManager.GetString("DataColumn_NotAllowDBNull", resourceCulture); } } - + /// /// Looks up a localized string similar to Column must belong to a table.. /// - internal static string DataColumn_NotInAnyTable { - get { + internal static string DataColumn_NotInAnyTable + { + get + { return ResourceManager.GetString("DataColumn_NotInAnyTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' does not belong to table {1}.. /// - internal static string DataColumn_NotInTheTable { - get { + internal static string DataColumn_NotInTheTable + { + get + { return ResourceManager.GetString("DataColumn_NotInTheTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' does not belong to underlying table '{1}'.. /// - internal static string DataColumn_NotInTheUnderlyingTable { - get { + internal static string DataColumn_NotInTheUnderlyingTable + { + get + { return ResourceManager.GetString("DataColumn_NotInTheUnderlyingTable", resourceCulture); } } - + /// /// Looks up a localized string similar to DataSet does not support System.Nullable<>.. /// - internal static string DataColumn_NullableTypesNotSupported { - get { + internal static string DataColumn_NullableTypesNotSupported + { + get + { return ResourceManager.GetString("DataColumn_NullableTypesNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Column requires a valid DataType.. /// - internal static string DataColumn_NullDataType { - get { + internal static string DataColumn_NullDataType + { + get + { return ResourceManager.GetString("DataColumn_NullDataType", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' has null values in it.. /// - internal static string DataColumn_NullKeyValues { - get { + internal static string DataColumn_NullKeyValues + { + get + { return ResourceManager.GetString("DataColumn_NullKeyValues", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' does not allow nulls.. /// - internal static string DataColumn_NullValues { - get { + internal static string DataColumn_NullValues + { + get + { return ResourceManager.GetString("DataColumn_NullValues", resourceCulture); } } - + /// /// Looks up a localized string similar to Ordinal '{0}' exceeds the maximum number.. /// - internal static string DataColumn_OrdinalExceedMaximun { - get { + internal static string DataColumn_OrdinalExceedMaximun + { + get + { return ResourceManager.GetString("DataColumn_OrdinalExceedMaximun", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' is read only.. /// - internal static string DataColumn_ReadOnly { - get { + internal static string DataColumn_ReadOnly + { + get + { return ResourceManager.GetString("DataColumn_ReadOnly", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change ReadOnly property for the expression column.. /// - internal static string DataColumn_ReadOnlyAndExpression { - get { + internal static string DataColumn_ReadOnlyAndExpression + { + get + { return ResourceManager.GetString("DataColumn_ReadOnlyAndExpression", resourceCulture); } } - + /// /// Looks up a localized string similar to SetAdded and SetModified can only be called on DataRows with Unchanged DataRowState.. /// - internal static string DataColumn_SetAddedAndModifiedCalledOnNonUnchanged { - get { + internal static string DataColumn_SetAddedAndModifiedCalledOnNonUnchanged + { + get + { return ResourceManager.GetString("DataColumn_SetAddedAndModifiedCalledOnNonUnchanged", resourceCulture); } } - + /// /// Looks up a localized string similar to Couldn't store <{0}> in {1} Column. Expected type is {2}.. /// - internal static string DataColumn_SetFailed { - get { + internal static string DataColumn_SetFailed + { + get + { return ResourceManager.GetString("DataColumn_SetFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Type '{0}' does not implement IRevertibleChangeTracking; therefore can not proceed with RejectChanges().. /// - internal static string DataColumn_UDTImplementsIChangeTrackingButnotIRevertible { - get { + internal static string DataColumn_UDTImplementsIChangeTrackingButnotIRevertible + { + get + { return ResourceManager.GetString("DataColumn_UDTImplementsIChangeTrackingButnotIRevertible", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change Unique property for the expression column.. /// - internal static string DataColumn_UniqueAndExpression { - get { + internal static string DataColumn_UniqueAndExpression + { + get + { return ResourceManager.GetString("DataColumn_UniqueAndExpression", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether null values are allowed in this column.. /// - internal static string DataColumnAllowNullDescr { - get { + internal static string DataColumnAllowNullDescr + { + get + { return ResourceManager.GetString("DataColumnAllowNullDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether the column automatically increments itself for new rows added to the table. The type of this column must be Int16, Int32, or Int64.. /// - internal static string DataColumnAutoIncrementDescr { - get { + internal static string DataColumnAutoIncrementDescr + { + get + { return ResourceManager.GetString("DataColumnAutoIncrementDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the starting value for an AutoIncrement column.. /// - internal static string DataColumnAutoIncrementSeedDescr { - get { + internal static string DataColumnAutoIncrementSeedDescr + { + get + { return ResourceManager.GetString("DataColumnAutoIncrementSeedDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the increment used by an AutoIncrement column.. /// - internal static string DataColumnAutoIncrementStepDescr { - get { + internal static string DataColumnAutoIncrementStepDescr + { + get + { return ResourceManager.GetString("DataColumnAutoIncrementStepDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the default user-interface caption for this column.. /// - internal static string DataColumnCaptionDescr { - get { + internal static string DataColumnCaptionDescr + { + get + { return ResourceManager.GetString("DataColumnCaptionDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the name used to look up this column in the Columns collection of a DataTable.. /// - internal static string DataColumnColumnNameDescr { - get { + internal static string DataColumnColumnNameDescr + { + get + { return ResourceManager.GetString("DataColumnColumnNameDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Returns the DataTable to which this column belongs.. /// - internal static string DataColumnDataTableDescr { - get { + internal static string DataColumnDataTableDescr + { + get + { return ResourceManager.GetString("DataColumnDataTableDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the type of data stored in this column.. /// - internal static string DataColumnDataTypeDescr { - get { + internal static string DataColumnDataTypeDescr + { + get + { return ResourceManager.GetString("DataColumnDataTypeDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates DateTimeMode of this DataColumn.. /// - internal static string DataColumnDateTimeModeDescr { - get { + internal static string DataColumnDateTimeModeDescr + { + get + { return ResourceManager.GetString("DataColumnDateTimeModeDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the default column value used when adding new rows to the table.. /// - internal static string DataColumnDefaultValueDescr { - get { + internal static string DataColumnDefaultValueDescr + { + get + { return ResourceManager.GetString("DataColumnDefaultValueDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the value that this column computes for each row based on other columns instead of taking user input.. /// - internal static string DataColumnExpressionDescr { - get { + internal static string DataColumnExpressionDescr + { + get + { return ResourceManager.GetString("DataColumnExpressionDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to DataColumn.ColumnName. /// - internal static string DataColumnMapping_DataSetColumn { - get { + internal static string DataColumnMapping_DataSetColumn + { + get + { return ResourceManager.GetString("DataColumnMapping_DataSetColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to Source column name - case sensitive.. /// - internal static string DataColumnMapping_SourceColumn { - get { + internal static string DataColumnMapping_SourceColumn + { + get + { return ResourceManager.GetString("DataColumnMapping_SourceColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates how this column persists in XML: as an attribute, element, simple content node, or nothing.. /// - internal static string DataColumnMappingDescr { - get { + internal static string DataColumnMappingDescr + { + get + { return ResourceManager.GetString("DataColumnMappingDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to The number of items in the collection. /// - internal static string DataColumnMappings_Count { - get { + internal static string DataColumnMappings_Count + { + get + { return ResourceManager.GetString("DataColumnMappings_Count", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified DataColumnMapping object.. /// - internal static string DataColumnMappings_Item { - get { + internal static string DataColumnMappings_Item + { + get + { return ResourceManager.GetString("DataColumnMappings_Item", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the maximum length of the value this column allows.. /// - internal static string DataColumnMaxLengthDescr { - get { + internal static string DataColumnMaxLengthDescr + { + get + { return ResourceManager.GetString("DataColumnMaxLengthDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the XML uri for elements or attributes stored in this column.. /// - internal static string DataColumnNamespaceDescr { - get { + internal static string DataColumnNamespaceDescr + { + get + { return ResourceManager.GetString("DataColumnNamespaceDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the index of this column in the Columns collection.. /// - internal static string DataColumnOrdinalDescr { - get { + internal static string DataColumnOrdinalDescr + { + get + { return ResourceManager.GetString("DataColumnOrdinalDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the Prefix used for this DataColumn in xml representation.. /// - internal static string DataColumnPrefixDescr { - get { + internal static string DataColumnPrefixDescr + { + get + { return ResourceManager.GetString("DataColumnPrefixDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether this column allows changes once a row has been added to the table.. /// - internal static string DataColumnReadOnlyDescr { - get { + internal static string DataColumnReadOnlyDescr + { + get + { return ResourceManager.GetString("DataColumnReadOnlyDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' already belongs to this DataTable.. /// - internal static string DataColumns_Add1 { - get { + internal static string DataColumns_Add1 + { + get + { return ResourceManager.GetString("DataColumns_Add1", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' already belongs to another DataTable.. /// - internal static string DataColumns_Add2 { - get { + internal static string DataColumns_Add2 + { + get + { return ResourceManager.GetString("DataColumns_Add2", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot have more than one SimpleContent columns in a DataTable.. /// - internal static string DataColumns_Add3 { - get { + internal static string DataColumns_Add3 + { + get + { return ResourceManager.GetString("DataColumns_Add3", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add a SimpleContent column to a table containing element columns or nested relations.. /// - internal static string DataColumns_Add4 { - get { + internal static string DataColumns_Add4 + { + get + { return ResourceManager.GetString("DataColumns_Add4", resourceCulture); } } - + /// /// Looks up a localized string similar to A column named '{0}' already belongs to this DataTable.. /// - internal static string DataColumns_AddDuplicate { - get { + internal static string DataColumns_AddDuplicate + { + get + { return ResourceManager.GetString("DataColumns_AddDuplicate", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add a column named '{0}': a nested table with the same name already belongs to this DataTable.. /// - internal static string DataColumns_AddDuplicate2 { - get { + internal static string DataColumns_AddDuplicate2 + { + get + { return ResourceManager.GetString("DataColumns_AddDuplicate2", resourceCulture); } } - + /// /// Looks up a localized string similar to A column named '{0}' already belongs to this DataTable: cannot set a nested table name to the same name.. /// - internal static string DataColumns_AddDuplicate3 { - get { + internal static string DataColumns_AddDuplicate3 + { + get + { return ResourceManager.GetString("DataColumns_AddDuplicate3", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot find column {0}.. /// - internal static string DataColumns_OutOfRange { - get { + internal static string DataColumns_OutOfRange + { + get + { return ResourceManager.GetString("DataColumns_OutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove a column that doesn't belong to this table.. /// - internal static string DataColumns_Remove { - get { + internal static string DataColumns_Remove + { + get + { return ResourceManager.GetString("DataColumns_Remove", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove this column, because it is part of the parent key for relationship {0}.. /// - internal static string DataColumns_RemoveChildKey { - get { + internal static string DataColumns_RemoveChildKey + { + get + { return ResourceManager.GetString("DataColumns_RemoveChildKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove this column, because it is a part of the constraint {0} on the table {1}.. /// - internal static string DataColumns_RemoveConstraint { - get { + internal static string DataColumns_RemoveConstraint + { + get + { return ResourceManager.GetString("DataColumns_RemoveConstraint", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove this column, because it is part of an expression: {0} = {1}.. /// - internal static string DataColumns_RemoveExpression { - get { + internal static string DataColumns_RemoveExpression + { + get + { return ResourceManager.GetString("DataColumns_RemoveExpression", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove this column, because it's part of the primary key.. /// - internal static string DataColumns_RemovePrimaryKey { - get { + internal static string DataColumns_RemovePrimaryKey + { + get + { return ResourceManager.GetString("DataColumns_RemovePrimaryKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether this column should restrict its values in the rows of the table to be unique.. /// - internal static string DataColumnUniqueDescr { - get { + internal static string DataColumnUniqueDescr + { + get + { return ResourceManager.GetString("DataColumnUniqueDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to This constraint cannot be added since ForeignKey doesn't belong to table {0}.. /// - internal static string DataConstraint_AddFailed { - get { + internal static string DataConstraint_AddFailed + { + get + { return ResourceManager.GetString("DataConstraint_AddFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add primary key constraint since primary key is already set for the table.. /// - internal static string DataConstraint_AddPrimaryKeyConstraint { - get { + internal static string DataConstraint_AddPrimaryKeyConstraint + { + get + { return ResourceManager.GetString("DataConstraint_AddPrimaryKeyConstraint", resourceCulture); } } - + /// /// Looks up a localized string similar to Property not accessible because '{0}'.. /// - internal static string DataConstraint_BadObjectPropertyAccess { - get { + internal static string DataConstraint_BadObjectPropertyAccess + { + get + { return ResourceManager.GetString("DataConstraint_BadObjectPropertyAccess", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add constraint to DataTable '{0}' which is a child table in two nested relations.. /// - internal static string DataConstraint_CantAddConstraintToMultipleNestedTable { - get { + internal static string DataConstraint_CantAddConstraintToMultipleNestedTable + { + get + { return ResourceManager.GetString("DataConstraint_CantAddConstraintToMultipleNestedTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot delete this row because constraints are enforced on relation {0}, and deleting this row will strand child rows.. /// - internal static string DataConstraint_CascadeDelete { - get { + internal static string DataConstraint_CascadeDelete + { + get + { return ResourceManager.GetString("DataConstraint_CascadeDelete", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot make this change because constraints are enforced on relation {0}, and changing this value will strand child rows.. /// - internal static string DataConstraint_CascadeUpdate { - get { + internal static string DataConstraint_CascadeUpdate + { + get + { return ResourceManager.GetString("DataConstraint_CascadeUpdate", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot clear table {0} because ForeignKeyConstraint {1} enforces constraints and there are child rows in {2}.. /// - internal static string DataConstraint_ClearParentTable { - get { + internal static string DataConstraint_ClearParentTable + { + get + { return ResourceManager.GetString("DataConstraint_ClearParentTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Constraint matches constraint named {0} already in collection.. /// - internal static string DataConstraint_Duplicate { - get { + internal static string DataConstraint_Duplicate + { + get + { return ResourceManager.GetString("DataConstraint_Duplicate", resourceCulture); } } - + /// /// Looks up a localized string similar to A Constraint named '{0}' already belongs to this DataTable.. /// - internal static string DataConstraint_DuplicateName { - get { + internal static string DataConstraint_DuplicateName + { + get + { return ResourceManager.GetString("DataConstraint_DuplicateName", resourceCulture); } } - + /// /// Looks up a localized string similar to ForeignKeyConstraint {0} requires the child key values ({1}) to exist in the parent table.. /// - internal static string DataConstraint_ForeignKeyViolation { - get { + internal static string DataConstraint_ForeignKeyViolation + { + get + { return ResourceManager.GetString("DataConstraint_ForeignKeyViolation", resourceCulture); } } - + /// /// Looks up a localized string similar to These columns don't point to this table.. /// - internal static string DataConstraint_ForeignTable { - get { + internal static string DataConstraint_ForeignTable + { + get + { return ResourceManager.GetString("DataConstraint_ForeignTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove unique constraint '{0}'. Remove foreign key constraint '{1}' first.. /// - internal static string DataConstraint_NeededForForeignKeyConstraint { - get { + internal static string DataConstraint_NeededForForeignKeyConstraint + { + get + { return ResourceManager.GetString("DataConstraint_NeededForForeignKeyConstraint", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change the name of a constraint to empty string when it is in the ConstraintCollection.. /// - internal static string DataConstraint_NoName { - get { + internal static string DataConstraint_NoName + { + get + { return ResourceManager.GetString("DataConstraint_NoName", resourceCulture); } } - + /// /// Looks up a localized string similar to Constraint '{0}' does not belong to this DataTable.. /// - internal static string DataConstraint_NotInTheTable { - get { + internal static string DataConstraint_NotInTheTable + { + get + { return ResourceManager.GetString("DataConstraint_NotInTheTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot find constraint {0}.. /// - internal static string DataConstraint_OutOfRange { - get { + internal static string DataConstraint_OutOfRange + { + get + { return ResourceManager.GetString("DataConstraint_OutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to This constraint cannot be enabled as not all values have corresponding parent values.. /// - internal static string DataConstraint_ParentValues { - get { + internal static string DataConstraint_ParentValues + { + get + { return ResourceManager.GetString("DataConstraint_ParentValues", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove a constraint that doesn't belong to this table.. /// - internal static string DataConstraint_RemoveFailed { - get { + internal static string DataConstraint_RemoveFailed + { + get + { return ResourceManager.GetString("DataConstraint_RemoveFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove this row because it has child rows, and constraints on relation {0} are enforced.. /// - internal static string DataConstraint_RemoveParentRow { - get { + internal static string DataConstraint_RemoveParentRow + { + get + { return ResourceManager.GetString("DataConstraint_RemoveParentRow", resourceCulture); } } - + /// /// Looks up a localized string similar to These columns don't currently have unique values.. /// - internal static string DataConstraint_UniqueViolation { - get { + internal static string DataConstraint_UniqueViolation + { + get + { return ResourceManager.GetString("DataConstraint_UniqueViolation", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot enforce constraints on constraint {0}.. /// - internal static string DataConstraint_Violation { - get { + internal static string DataConstraint_Violation + { + get + { return ResourceManager.GetString("DataConstraint_Violation", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' is constrained to be unique. Value '{1}' is already present.. /// - internal static string DataConstraint_ViolationValue { - get { + internal static string DataConstraint_ViolationValue + { + get + { return ResourceManager.GetString("DataConstraint_ViolationValue", resourceCulture); } } - + /// /// Looks up a localized string similar to This type of node cannot be cloned: {0}.. /// - internal static string DataDom_CloneNode { - get { + internal static string DataDom_CloneNode + { + get + { return ResourceManager.GetString("DataDom_CloneNode", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change the ColumnMapping property once the associated DataSet is mapped to a loaded XML document.. /// - internal static string DataDom_ColumnMappingChange { - get { + internal static string DataDom_ColumnMappingChange + { + get + { return ResourceManager.GetString("DataDom_ColumnMappingChange", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change the column name once the associated DataSet is mapped to a loaded XML document.. /// - internal static string DataDom_ColumnNameChange { - get { + internal static string DataDom_ColumnNameChange + { + get + { return ResourceManager.GetString("DataDom_ColumnNameChange", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change the column namespace once the associated DataSet is mapped to a loaded XML document.. /// - internal static string DataDom_ColumnNamespaceChange { - get { + internal static string DataDom_ColumnNamespaceChange + { + get + { return ResourceManager.GetString("DataDom_ColumnNamespaceChange", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change the DataSet name once the DataSet is mapped to a loaded XML document.. /// - internal static string DataDom_DataSetNameChange { - get { + internal static string DataDom_DataSetNameChange + { + get + { return ResourceManager.GetString("DataDom_DataSetNameChange", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add, remove, or change Nested relations from the DataSet once the DataSet is mapped to a loaded XML document.. /// - internal static string DataDom_DataSetNestedRelationsChange { - get { + internal static string DataDom_DataSetNestedRelationsChange + { + get + { return ResourceManager.GetString("DataDom_DataSetNestedRelationsChange", resourceCulture); } } - + /// /// Looks up a localized string similar to The DataSet parameter is invalid. It cannot be null.. /// - internal static string DataDom_DataSetNull { - get { + internal static string DataDom_DataSetNull + { + get + { return ResourceManager.GetString("DataDom_DataSetNull", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add or remove tables from the DataSet once the DataSet is mapped to a loaded XML document.. /// - internal static string DataDom_DataSetTablesChange { - get { + internal static string DataDom_DataSetTablesChange + { + get + { return ResourceManager.GetString("DataDom_DataSetTablesChange", resourceCulture); } } - + /// /// Looks up a localized string similar to Please set DataSet.EnforceConstraints == false before trying to edit XmlDataDocument using XML operations.. /// - internal static string DataDom_EnforceConstraintsShouldBeOff { - get { + internal static string DataDom_EnforceConstraintsShouldBeOff + { + get + { return ResourceManager.GetString("DataDom_EnforceConstraintsShouldBeOff", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid foliation.. /// - internal static string DataDom_Foliation { - get { + internal static string DataDom_Foliation + { + get + { return ResourceManager.GetString("DataDom_Foliation", resourceCulture); } } - + /// /// Looks up a localized string similar to DataSet can be associated with at most one XmlDataDocument. Cannot associate the DataSet with the current XmlDataDocument because the DataSet is already associated with another XmlDataDocument.. /// - internal static string DataDom_MultipleDataSet { - get { + internal static string DataDom_MultipleDataSet + { + get + { return ResourceManager.GetString("DataDom_MultipleDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot load XmlDataDocument if it already contains data. Please use a new XmlDataDocument.. /// - internal static string DataDom_MultipleLoad { - get { + internal static string DataDom_MultipleLoad + { + get + { return ResourceManager.GetString("DataDom_MultipleLoad", resourceCulture); } } - + /// /// Looks up a localized string similar to Clear function on DateSet and DataTable is not supported on XmlDataDocument.. /// - internal static string DataDom_NotSupport_Clear { - get { + internal static string DataDom_NotSupport_Clear + { + get + { return ResourceManager.GetString("DataDom_NotSupport_Clear", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot create entity references on DataDocument.. /// - internal static string DataDom_NotSupport_EntRef { - get { + internal static string DataDom_NotSupport_EntRef + { + get + { return ResourceManager.GetString("DataDom_NotSupport_EntRef", resourceCulture); } } - + /// /// Looks up a localized string similar to GetElementById() is not supported on DataDocument.. /// - internal static string DataDom_NotSupport_GetElementById { - get { + internal static string DataDom_NotSupport_GetElementById + { + get + { return ResourceManager.GetString("DataDom_NotSupport_GetElementById", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add or remove columns from the table once the DataSet is mapped to a loaded XML document.. /// - internal static string DataDom_TableColumnsChange { - get { + internal static string DataDom_TableColumnsChange + { + get + { return ResourceManager.GetString("DataDom_TableColumnsChange", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change the table name once the associated DataSet is mapped to a loaded XML document.. /// - internal static string DataDom_TableNameChange { - get { + internal static string DataDom_TableNameChange + { + get + { return ResourceManager.GetString("DataDom_TableNameChange", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change the table namespace once the associated DataSet is mapped to a loaded XML document.. /// - internal static string DataDom_TableNamespaceChange { - get { + internal static string DataDom_TableNamespaceChange + { + get + { return ResourceManager.GetString("DataDom_TableNamespaceChange", resourceCulture); } } - + /// /// Looks up a localized string similar to Find finds a row based on a Sort order, and no Sort order is specified.. /// - internal static string DataIndex_FindWithoutSortOrder { - get { + internal static string DataIndex_FindWithoutSortOrder + { + get + { return ResourceManager.GetString("DataIndex_FindWithoutSortOrder", resourceCulture); } } - + /// /// Looks up a localized string similar to Expecting {0} value(s) for the key being indexed, but received {1} value(s).. /// - internal static string DataIndex_KeyLength { - get { + internal static string DataIndex_KeyLength + { + get + { return ResourceManager.GetString("DataIndex_KeyLength", resourceCulture); } } - + /// /// Looks up a localized string similar to The RowStates parameter must be set to a valid combination of values from the DataViewRowState enumeration.. /// - internal static string DataIndex_RecordStateRange { - get { + internal static string DataIndex_RecordStateRange + { + get + { return ResourceManager.GetString("DataIndex_RecordStateRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot create a Key when the same column is listed more than once: '{0}'. /// - internal static string DataKey_DuplicateColumns { - get { + internal static string DataKey_DuplicateColumns + { + get + { return ResourceManager.GetString("DataKey_DuplicateColumns", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot have 0 columns.. /// - internal static string DataKey_NoColumns { - get { + internal static string DataKey_NoColumns + { + get + { return ResourceManager.GetString("DataKey_NoColumns", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove unique constraint since it's the primary key of a table.. /// - internal static string DataKey_RemovePrimaryKey { - get { + internal static string DataKey_RemovePrimaryKey + { + get + { return ResourceManager.GetString("DataKey_RemovePrimaryKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove unique constraint since it's the primary key of table {0}.. /// - internal static string DataKey_RemovePrimaryKey1 { - get { + internal static string DataKey_RemovePrimaryKey1 + { + get + { return ResourceManager.GetString("DataKey_RemovePrimaryKey1", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot create a Key from Columns that belong to different tables.. /// - internal static string DataKey_TableMismatch { - get { + internal static string DataKey_TableMismatch + { + get + { return ResourceManager.GetString("DataKey_TableMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot have more than {0} columns.. /// - internal static string DataKey_TooManyColumns { - get { + internal static string DataKey_TooManyColumns + { + get + { return ResourceManager.GetString("DataKey_TooManyColumns", resourceCulture); } } - + /// /// Looks up a localized string similar to <target>.{0} and <source>.{0} have conflicting properties: DataType property mismatch.. /// - internal static string DataMerge_DataTypeMismatch { - get { + internal static string DataMerge_DataTypeMismatch + { + get + { return ResourceManager.GetString("DataMerge_DataTypeMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Target table {0} missing definition for column {1}.. /// - internal static string DataMerge_MissingColumnDefinition { - get { + internal static string DataMerge_MissingColumnDefinition + { + get + { return ResourceManager.GetString("DataMerge_MissingColumnDefinition", resourceCulture); } } - + /// /// Looks up a localized string similar to Target DataSet missing {0} {1}.. /// - internal static string DataMerge_MissingConstraint { - get { + internal static string DataMerge_MissingConstraint + { + get + { return ResourceManager.GetString("DataMerge_MissingConstraint", resourceCulture); } } - + /// /// Looks up a localized string similar to Target DataSet missing definition for {0}.. /// - internal static string DataMerge_MissingDefinition { - get { + internal static string DataMerge_MissingDefinition + { + get + { return ResourceManager.GetString("DataMerge_MissingDefinition", resourceCulture); } } - + /// /// Looks up a localized string similar to PrimaryKey column {0} does not exist in source Table.. /// - internal static string DataMerge_MissingPrimaryKeyColumnInSource { - get { + internal static string DataMerge_MissingPrimaryKeyColumnInSource + { + get + { return ResourceManager.GetString("DataMerge_MissingPrimaryKeyColumnInSource", resourceCulture); } } - + /// /// Looks up a localized string similar to Mismatch columns in the PrimaryKey : <target>.{0} versus <source>.{1}.. /// - internal static string DataMerge_PrimaryKeyColumnsMismatch { - get { + internal static string DataMerge_PrimaryKeyColumnsMismatch + { + get + { return ResourceManager.GetString("DataMerge_PrimaryKeyColumnsMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to <target>.PrimaryKey and <source>.PrimaryKey have different Length.. /// - internal static string DataMerge_PrimaryKeyMismatch { - get { + internal static string DataMerge_PrimaryKeyMismatch + { + get + { return ResourceManager.GetString("DataMerge_PrimaryKeyMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Relation {0} cannot be merged, because keys have mismatch columns.. /// - internal static string DataMerge_ReltionKeyColumnsMismatch { - get { + internal static string DataMerge_ReltionKeyColumnsMismatch + { + get + { return ResourceManager.GetString("DataMerge_ReltionKeyColumnsMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to A relation already exists for these child columns.. /// - internal static string DataRelation_AlreadyExists { - get { + internal static string DataRelation_AlreadyExists + { + get + { return ResourceManager.GetString("DataRelation_AlreadyExists", resourceCulture); } } - + /// /// Looks up a localized string similar to This relation already belongs to another DataSet.. /// - internal static string DataRelation_AlreadyInOtherDataSet { - get { + internal static string DataRelation_AlreadyInOtherDataSet + { + get + { return ResourceManager.GetString("DataRelation_AlreadyInOtherDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to This relation already belongs to this DataSet.. /// - internal static string DataRelation_AlreadyInTheDataSet { - get { + internal static string DataRelation_AlreadyInTheDataSet + { + get + { return ResourceManager.GetString("DataRelation_AlreadyInTheDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add a DataRelation or Constraint that has different Locale or CaseSensitive settings between its parent and child tables.. /// - internal static string DataRelation_CaseLocaleMismatch { - get { + internal static string DataRelation_CaseLocaleMismatch + { + get + { return ResourceManager.GetString("DataRelation_CaseLocaleMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add a relation to this table's ParentRelation collection where this table isn't the child table.. /// - internal static string DataRelation_ChildTableMismatch { - get { + internal static string DataRelation_ChildTableMismatch + { + get + { return ResourceManager.GetString("DataRelation_ChildTableMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Parent Columns and Child Columns don't have type-matching columns.. /// - internal static string DataRelation_ColumnsTypeMismatch { - get { + internal static string DataRelation_ColumnsTypeMismatch + { + get + { return ResourceManager.GetString("DataRelation_ColumnsTypeMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot have a relationship between tables in different DataSets.. /// - internal static string DataRelation_DataSetMismatch { - get { + internal static string DataRelation_DataSetMismatch + { + get + { return ResourceManager.GetString("DataRelation_DataSetMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to This relation doesn't belong to this relation collection.. /// - internal static string DataRelation_DoesNotExist { - get { + internal static string DataRelation_DoesNotExist + { + get + { return ResourceManager.GetString("DataRelation_DoesNotExist", resourceCulture); } } - + /// /// Looks up a localized string similar to A Relation named '{0}' already belongs to this DataSet.. /// - internal static string DataRelation_DuplicateName { - get { + internal static string DataRelation_DuplicateName + { + get + { return ResourceManager.GetString("DataRelation_DuplicateName", resourceCulture); } } - + /// /// Looks up a localized string similar to This relation should connect two tables in this DataSet to be added to this DataSet.. /// - internal static string DataRelation_ForeignDataSet { - get { + internal static string DataRelation_ForeignDataSet + { + get + { return ResourceManager.GetString("DataRelation_ForeignDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to The row doesn't belong to the same DataSet as this relation.. /// - internal static string DataRelation_ForeignRow { - get { + internal static string DataRelation_ForeignRow + { + get + { return ResourceManager.GetString("DataRelation_ForeignRow", resourceCulture); } } - + /// /// Looks up a localized string similar to GetChildRows requires a row whose Table is {0}, but the specified row's Table is {1}.. /// - internal static string DataRelation_ForeignTable { - get { + internal static string DataRelation_ForeignTable + { + get + { return ResourceManager.GetString("DataRelation_ForeignTable", resourceCulture); } } - + /// /// Looks up a localized string similar to GetParentRow requires a row whose Table is {0}, but the specified row's Table is {1}.. /// - internal static string DataRelation_GetParentRowTableMismatch { - get { + internal static string DataRelation_GetParentRowTableMismatch + { + get + { return ResourceManager.GetString("DataRelation_GetParentRowTableMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Nested table '{0}' with empty namespace cannot have multiple parent tables in different namespaces.. /// - internal static string DataRelation_InValidNamespaceInNestedRelation { - get { + internal static string DataRelation_InValidNamespaceInNestedRelation + { + get + { return ResourceManager.GetString("DataRelation_InValidNamespaceInNestedRelation", resourceCulture); } } - + /// /// Looks up a localized string similar to Nested table '{0}' which inherits its namespace cannot have multiple parent tables in different namespaces.. /// - internal static string DataRelation_InValidNestedRelation { - get { + internal static string DataRelation_InValidNestedRelation + { + get + { return ResourceManager.GetString("DataRelation_InValidNestedRelation", resourceCulture); } } - + /// /// Looks up a localized string similar to ParentKey and ChildKey are identical.. /// - internal static string DataRelation_KeyColumnsIdentical { - get { + internal static string DataRelation_KeyColumnsIdentical + { + get + { return ResourceManager.GetString("DataRelation_KeyColumnsIdentical", resourceCulture); } } - + /// /// Looks up a localized string similar to ParentColumns and ChildColumns should be the same length.. /// - internal static string DataRelation_KeyLengthMismatch { - get { + internal static string DataRelation_KeyLengthMismatch + { + get + { return ResourceManager.GetString("DataRelation_KeyLengthMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to ParentColumns and ChildColumns must not be zero length.. /// - internal static string DataRelation_KeyZeroLength { - get { + internal static string DataRelation_KeyZeroLength + { + get + { return ResourceManager.GetString("DataRelation_KeyZeroLength", resourceCulture); } } - + /// /// Looks up a localized string similar to The table ({0}) cannot be the child table to itself in nested relations.. /// - internal static string DataRelation_LoopInNestedRelations { - get { + internal static string DataRelation_LoopInNestedRelations + { + get + { return ResourceManager.GetString("DataRelation_LoopInNestedRelations", resourceCulture); } } - + /// /// Looks up a localized string similar to RelationName is required when it is part of a DataSet.. /// - internal static string DataRelation_NoName { - get { + internal static string DataRelation_NoName + { + get + { return ResourceManager.GetString("DataRelation_NoName", resourceCulture); } } - + /// /// Looks up a localized string similar to Relation {0} does not belong to this DataSet.. /// - internal static string DataRelation_NotInTheDataSet { - get { + internal static string DataRelation_NotInTheDataSet + { + get + { return ResourceManager.GetString("DataRelation_NotInTheDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot find relation {0}.. /// - internal static string DataRelation_OutOfRange { - get { + internal static string DataRelation_OutOfRange + { + get + { return ResourceManager.GetString("DataRelation_OutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot create a DataRelation if Parent or Child Columns are not in a DataSet.. /// - internal static string DataRelation_ParentOrChildColumnsDoNotHaveDataSet { - get { + internal static string DataRelation_ParentOrChildColumnsDoNotHaveDataSet + { + get + { return ResourceManager.GetString("DataRelation_ParentOrChildColumnsDoNotHaveDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add a relation to this table's ChildRelation collection where this table isn't the parent table.. /// - internal static string DataRelation_ParentTableMismatch { - get { + internal static string DataRelation_ParentTableMismatch + { + get + { return ResourceManager.GetString("DataRelation_ParentTableMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set the 'Nested' property to false for this relation.. /// - internal static string DataRelation_RelationNestedReadOnly { - get { + internal static string DataRelation_RelationNestedReadOnly + { + get + { return ResourceManager.GetString("DataRelation_RelationNestedReadOnly", resourceCulture); } } - + /// /// Looks up a localized string similar to SetParentRow requires a child row whose Table is {0}, but the specified row's Table is {1}.. /// - internal static string DataRelation_SetParentRowTableMismatch { - get { + internal static string DataRelation_SetParentRowTableMismatch + { + get + { return ResourceManager.GetString("DataRelation_SetParentRowTableMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to The same table '{0}' cannot be the child table in two nested relations.. /// - internal static string DataRelation_TableCantBeNestedInTwoTables { - get { + internal static string DataRelation_TableCantBeNestedInTwoTables + { + get + { return ResourceManager.GetString("DataRelation_TableCantBeNestedInTwoTables", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot create a collection on a null table.. /// - internal static string DataRelation_TableNull { - get { + internal static string DataRelation_TableNull + { + get + { return ResourceManager.GetString("DataRelation_TableNull", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot create a relation between tables in different DataSets.. /// - internal static string DataRelation_TablesInDifferentSets { - get { + internal static string DataRelation_TablesInDifferentSets + { + get + { return ResourceManager.GetString("DataRelation_TablesInDifferentSets", resourceCulture); } } - + /// /// Looks up a localized string similar to The table this collection displays relations for has been removed from its DataSet.. /// - internal static string DataRelation_TableWasRemoved { - get { + internal static string DataRelation_TableWasRemoved + { + get + { return ResourceManager.GetString("DataRelation_TableWasRemoved", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the child columns of this relation.. /// - internal static string DataRelationChildColumnsDescr { - get { + internal static string DataRelationChildColumnsDescr + { + get + { return ResourceManager.GetString("DataRelationChildColumnsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether relations are nested.. /// - internal static string DataRelationNested { - get { + internal static string DataRelationNested + { + get + { return ResourceManager.GetString("DataRelationNested", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the parent columns of this relation.. /// - internal static string DataRelationParentColumnsDescr { - get { + internal static string DataRelationParentColumnsDescr + { + get + { return ResourceManager.GetString("DataRelationParentColumnsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to The name used to look up this relation in the Relations collection of a DataSet.. /// - internal static string DataRelationRelationNameDescr { - get { + internal static string DataRelationRelationNameDescr + { + get + { return ResourceManager.GetString("DataRelationRelationNameDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot delete this row since it's already deleted.. /// - internal static string DataRow_AlreadyDeleted { - get { + internal static string DataRow_AlreadyDeleted + { + get + { return ResourceManager.GetString("DataRow_AlreadyDeleted", resourceCulture); } } - + /// /// Looks up a localized string similar to This row already belongs to another table.. /// - internal static string DataRow_AlreadyInOtherCollection { - get { + internal static string DataRow_AlreadyInOtherCollection + { + get + { return ResourceManager.GetString("DataRow_AlreadyInOtherCollection", resourceCulture); } } - + /// /// Looks up a localized string similar to This row already belongs to this table.. /// - internal static string DataRow_AlreadyInTheCollection { - get { + internal static string DataRow_AlreadyInTheCollection + { + get + { return ResourceManager.GetString("DataRow_AlreadyInTheCollection", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove a row that's already been removed.. /// - internal static string DataRow_AlreadyRemoved { - get { + internal static string DataRow_AlreadyRemoved + { + get + { return ResourceManager.GetString("DataRow_AlreadyRemoved", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot call BeginEdit() inside the RowChanging event.. /// - internal static string DataRow_BeginEditInRowChanging { - get { + internal static string DataRow_BeginEditInRowChanging + { + get + { return ResourceManager.GetString("DataRow_BeginEditInRowChanging", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot call CancelEdit() inside an OnRowChanging event. Throw an exception to cancel this update.. /// - internal static string DataRow_CancelEditInRowChanging { - get { + internal static string DataRow_CancelEditInRowChanging + { + get + { return ResourceManager.GetString("DataRow_CancelEditInRowChanging", resourceCulture); } } - + /// /// Looks up a localized string similar to Deleted row information cannot be accessed through the row.. /// - internal static string DataRow_DeletedRowInaccessible { - get { + internal static string DataRow_DeletedRowInaccessible + { + get + { return ResourceManager.GetString("DataRow_DeletedRowInaccessible", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot call Delete inside an OnRowDeleting event. Throw an exception to cancel this delete.. /// - internal static string DataRow_DeleteInRowDeleting { - get { + internal static string DataRow_DeleteInRowDeleting + { + get + { return ResourceManager.GetString("DataRow_DeleteInRowDeleting", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change a proposed value in the RowChanging event.. /// - internal static string DataRow_EditInRowChanging { - get { + internal static string DataRow_EditInRowChanging + { + get + { return ResourceManager.GetString("DataRow_EditInRowChanging", resourceCulture); } } - + /// /// Looks up a localized string similar to This row is empty.. /// - internal static string DataRow_Empty { - get { + internal static string DataRow_Empty + { + get + { return ResourceManager.GetString("DataRow_Empty", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot call EndEdit() inside an OnRowChanging event.. /// - internal static string DataRow_EndEditInRowChanging { - get { + internal static string DataRow_EndEditInRowChanging + { + get + { return ResourceManager.GetString("DataRow_EndEditInRowChanging", resourceCulture); } } - + /// /// Looks up a localized string similar to Unrecognized row state bit pattern.. /// - internal static string DataRow_InvalidRowBitPattern { - get { + internal static string DataRow_InvalidRowBitPattern + { + get + { return ResourceManager.GetString("DataRow_InvalidRowBitPattern", resourceCulture); } } - + /// /// Looks up a localized string similar to Version must be Original, Current, or Proposed.. /// - internal static string DataRow_InvalidVersion { - get { + internal static string DataRow_InvalidVersion + { + get + { return ResourceManager.GetString("DataRow_InvalidVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to A child row has multiple parents.. /// - internal static string DataRow_MultipleParents { - get { + internal static string DataRow_MultipleParents + { + get + { return ResourceManager.GetString("DataRow_MultipleParents", resourceCulture); } } - + /// /// Looks up a localized string similar to There is no Current data to access.. /// - internal static string DataRow_NoCurrentData { - get { + internal static string DataRow_NoCurrentData + { + get + { return ResourceManager.GetString("DataRow_NoCurrentData", resourceCulture); } } - + /// /// Looks up a localized string similar to There is no Original data to access.. /// - internal static string DataRow_NoOriginalData { - get { + internal static string DataRow_NoOriginalData + { + get + { return ResourceManager.GetString("DataRow_NoOriginalData", resourceCulture); } } - + /// /// Looks up a localized string similar to There is no Proposed data to access.. /// - internal static string DataRow_NoProposedData { - get { + internal static string DataRow_NoProposedData + { + get + { return ResourceManager.GetString("DataRow_NoProposedData", resourceCulture); } } - + /// /// Looks up a localized string similar to The row doesn't belong to the same DataSet as this relation.. /// - internal static string DataRow_NotInTheDataSet { - get { + internal static string DataRow_NotInTheDataSet + { + get + { return ResourceManager.GetString("DataRow_NotInTheDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot perform this operation on a row not in the table.. /// - internal static string DataRow_NotInTheTable { - get { + internal static string DataRow_NotInTheTable + { + get + { return ResourceManager.GetString("DataRow_NotInTheTable", resourceCulture); } } - + /// /// Looks up a localized string similar to There is no row at position {0}.. /// - internal static string DataRow_OutOfRange { - get { + internal static string DataRow_OutOfRange + { + get + { return ResourceManager.GetString("DataRow_OutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to This relation and child row don't belong to same DataSet.. /// - internal static string DataRow_ParentRowNotInTheDataSet { - get { + internal static string DataRow_ParentRowNotInTheDataSet + { + get + { return ResourceManager.GetString("DataRow_ParentRowNotInTheDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to This row has been removed from a table and does not have any data. BeginEdit() will allow creation of new data in this row.. /// - internal static string DataRow_RemovedFromTheTable { - get { + internal static string DataRow_RemovedFromTheTable + { + get + { return ResourceManager.GetString("DataRow_RemovedFromTheTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Values are missing in the rowOrder sequence for table '{0}'.. /// - internal static string DataRow_RowInsertMissing { - get { + internal static string DataRow_RowInsertMissing + { + get + { return ResourceManager.GetString("DataRow_RowInsertMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to The row insert position {0} is invalid.. /// - internal static string DataRow_RowInsertOutOfRange { - get { + internal static string DataRow_RowInsertOutOfRange + { + get + { return ResourceManager.GetString("DataRow_RowInsertOutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to The rowOrder value={0} has been found twice for table named '{1}'.. /// - internal static string DataRow_RowInsertTwice { - get { + internal static string DataRow_RowInsertTwice + { + get + { return ResourceManager.GetString("DataRow_RowInsertTwice", resourceCulture); } } - + /// /// Looks up a localized string similar to The given DataRow is not in the current DataRowCollection.. /// - internal static string DataRow_RowOutOfRange { - get { + internal static string DataRow_RowOutOfRange + { + get + { return ResourceManager.GetString("DataRow_RowOutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Input array is longer than the number of columns in this table.. /// - internal static string DataRow_ValuesArrayLength { - get { + internal static string DataRow_ValuesArrayLength + { + get + { return ResourceManager.GetString("DataRow_ValuesArrayLength", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} is neither a DataColumn nor a DataRelation for table {1}.. /// - internal static string DataROWView_PropertyNotFound { - get { + internal static string DataROWView_PropertyNotFound + { + get + { return ResourceManager.GetString("DataROWView_PropertyNotFound", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change CaseSensitive or Locale property. This change would lead to at least one DataRelation or Constraint to have different Locale or CaseSensitive settings between its related tables.. /// - internal static string DataSet_CannotChangeCaseLocale { - get { + internal static string DataSet_CannotChangeCaseLocale + { + get + { return ResourceManager.GetString("DataSet_CannotChangeCaseLocale", resourceCulture); } } - + /// /// Looks up a localized string similar to SchemaSerializationMode property can be set only if it is overridden by derived DataSet.. /// - internal static string DataSet_CannotChangeSchemaSerializationMode { - get { + internal static string DataSet_CannotChangeSchemaSerializationMode + { + get + { return ResourceManager.GetString("DataSet_CannotChangeSchemaSerializationMode", resourceCulture); } } - + /// /// Looks up a localized string similar to Constraint Exception.. /// - internal static string DataSet_DefaultConstraintException { - get { + internal static string DataSet_DefaultConstraintException + { + get + { return ResourceManager.GetString("DataSet_DefaultConstraintException", resourceCulture); } } - + /// /// Looks up a localized string similar to Data Exception.. /// - internal static string DataSet_DefaultDataException { - get { + internal static string DataSet_DefaultDataException + { + get + { return ResourceManager.GetString("DataSet_DefaultDataException", resourceCulture); } } - + /// /// Looks up a localized string similar to Deleted rows inaccessible.. /// - internal static string DataSet_DefaultDeletedRowInaccessibleException { - get { + internal static string DataSet_DefaultDeletedRowInaccessibleException + { + get + { return ResourceManager.GetString("DataSet_DefaultDeletedRowInaccessibleException", resourceCulture); } } - + /// /// Looks up a localized string similar to Duplicate name not allowed.. /// - internal static string DataSet_DefaultDuplicateNameException { - get { + internal static string DataSet_DefaultDuplicateNameException + { + get + { return ResourceManager.GetString("DataSet_DefaultDuplicateNameException", resourceCulture); } } - + /// /// Looks up a localized string similar to Operation not supported in the RowChanging event.. /// - internal static string DataSet_DefaultInRowChangingEventException { - get { + internal static string DataSet_DefaultInRowChangingEventException + { + get + { return ResourceManager.GetString("DataSet_DefaultInRowChangingEventException", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid constraint.. /// - internal static string DataSet_DefaultInvalidConstraintException { - get { + internal static string DataSet_DefaultInvalidConstraintException + { + get + { return ResourceManager.GetString("DataSet_DefaultInvalidConstraintException", resourceCulture); } } - + /// /// Looks up a localized string similar to Missing primary key.. /// - internal static string DataSet_DefaultMissingPrimaryKeyException { - get { + internal static string DataSet_DefaultMissingPrimaryKeyException + { + get + { return ResourceManager.GetString("DataSet_DefaultMissingPrimaryKeyException", resourceCulture); } } - + /// /// Looks up a localized string similar to Null not allowed.. /// - internal static string DataSet_DefaultNoNullAllowedException { - get { + internal static string DataSet_DefaultNoNullAllowedException + { + get + { return ResourceManager.GetString("DataSet_DefaultNoNullAllowedException", resourceCulture); } } - + /// /// Looks up a localized string similar to Column is marked read only.. /// - internal static string DataSet_DefaultReadOnlyException { - get { + internal static string DataSet_DefaultReadOnlyException + { + get + { return ResourceManager.GetString("DataSet_DefaultReadOnlyException", resourceCulture); } } - + /// /// Looks up a localized string similar to Row not found in table.. /// - internal static string DataSet_DefaultRowNotInTableException { - get { + internal static string DataSet_DefaultRowNotInTableException + { + get + { return ResourceManager.GetString("DataSet_DefaultRowNotInTableException", resourceCulture); } } - + /// /// Looks up a localized string similar to Version not found.. /// - internal static string DataSet_DefaultVersionNotFoundException { - get { + internal static string DataSet_DefaultVersionNotFoundException + { + get + { return ResourceManager.GetString("DataSet_DefaultVersionNotFoundException", resourceCulture); } } - + /// /// Looks up a localized string similar to The name '{0}' is invalid. A DataSet cannot have the same name of the DataTable.. /// - internal static string DataSet_SetDataSetNameConflicting { - get { + internal static string DataSet_SetDataSetNameConflicting + { + get + { return ResourceManager.GetString("DataSet_SetDataSetNameConflicting", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change the name of the DataSet to an empty string.. /// - internal static string DataSet_SetNameToEmpty { - get { + internal static string DataSet_SetNameToEmpty + { + get + { return ResourceManager.GetString("DataSet_SetNameToEmpty", resourceCulture); } } - + /// /// Looks up a localized string similar to The schema namespace is invalid. Please use this one instead: {0}.. /// - internal static string DataSet_UnsupportedSchema { - get { + internal static string DataSet_UnsupportedSchema + { + get + { return ResourceManager.GetString("DataSet_UnsupportedSchema", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether comparing strings within the DataSet is case sensitive.. /// - internal static string DataSetCaseSensitiveDescr { - get { + internal static string DataSetCaseSensitiveDescr + { + get + { return ResourceManager.GetString("DataSetCaseSensitiveDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to The name of this DataSet.. /// - internal static string DataSetDataSetNameDescr { - get { + internal static string DataSetDataSetNameDescr + { + get + { return ResourceManager.GetString("DataSetDataSetNameDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates a custom "view" of the data contained by the DataSet. This view allows filtering, searching, and navigating through the custom data view.. /// - internal static string DataSetDefaultViewDescr { - get { + internal static string DataSetDefaultViewDescr + { + get + { return ResourceManager.GetString("DataSetDefaultViewDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Represents an in-memory cache of data.. /// - internal static string DataSetDescr { - get { + internal static string DataSetDescr + { + get + { return ResourceManager.GetString("DataSetDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether constraint rules are to be followed.. /// - internal static string DataSetEnforceConstraintsDescr { - get { + internal static string DataSetEnforceConstraintsDescr + { + get + { return ResourceManager.GetString("DataSetEnforceConstraintsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates that the DataSet has errors.. /// - internal static string DataSetHasErrorsDescr { - get { + internal static string DataSetHasErrorsDescr + { + get + { return ResourceManager.GetString("DataSetHasErrorsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs after Initialization is finished.. /// - internal static string DataSetInitializedDescr { - get { + internal static string DataSetInitializedDescr + { + get + { return ResourceManager.GetString("DataSetInitializedDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates a locale under which to compare strings within the DataSet.. /// - internal static string DataSetLocaleDescr { - get { + internal static string DataSetLocaleDescr + { + get + { return ResourceManager.GetString("DataSetLocaleDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs when it is not possible to merge schemas for two tables with the same name.. /// - internal static string DataSetMergeFailedDescr { - get { + internal static string DataSetMergeFailedDescr + { + get + { return ResourceManager.GetString("DataSetMergeFailedDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the XML uri namespace for the root element pointed at by this DataSet.. /// - internal static string DataSetNamespaceDescr { - get { + internal static string DataSetNamespaceDescr + { + get + { return ResourceManager.GetString("DataSetNamespaceDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the prefix of the namespace used for this DataSet.. /// - internal static string DataSetPrefixDescr { - get { + internal static string DataSetPrefixDescr + { + get + { return ResourceManager.GetString("DataSetPrefixDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to The collection that holds the relations for this DataSet.. /// - internal static string DataSetRelationsDescr { - get { + internal static string DataSetRelationsDescr + { + get + { return ResourceManager.GetString("DataSetRelationsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to The collection that holds the tables for this DataSet.. /// - internal static string DataSetTablesDescr { - get { + internal static string DataSetTablesDescr + { + get + { return ResourceManager.GetString("DataSetTablesDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid usage of aggregate function {0}() and Type: {1}.. /// - internal static string DataStorage_AggregateException { - get { + internal static string DataStorage_AggregateException + { + get + { return ResourceManager.GetString("DataStorage_AggregateException", resourceCulture); } } - + /// /// Looks up a localized string similar to Type '{0}' does not implement IComparable interface. Comparison cannot be done.. /// - internal static string DataStorage_IComparableNotDefined { - get { + internal static string DataStorage_IComparableNotDefined + { + get + { return ResourceManager.GetString("DataStorage_IComparableNotDefined", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid storage type: {0}.. /// - internal static string DataStorage_InvalidStorageType { - get { + internal static string DataStorage_InvalidStorageType + { + get + { return ResourceManager.GetString("DataStorage_InvalidStorageType", resourceCulture); } } - + /// /// Looks up a localized string similar to The DataSet Xml persistency does not support the value '{0}' as Char value, please use Byte storage instead.. /// - internal static string DataStorage_ProblematicChars { - get { + internal static string DataStorage_ProblematicChars + { + get + { return ResourceManager.GetString("DataStorage_ProblematicChars", resourceCulture); } } - + /// /// Looks up a localized string similar to Type of value has a mismatch with column type. /// - internal static string DataStorage_SetInvalidDataType { - get { + internal static string DataStorage_SetInvalidDataType + { + get + { return ResourceManager.GetString("DataStorage_SetInvalidDataType", resourceCulture); } } - + /// /// Looks up a localized string similar to DataTable already belongs to another DataSet.. /// - internal static string DataTable_AlreadyInOtherDataSet { - get { + internal static string DataTable_AlreadyInOtherDataSet + { + get + { return ResourceManager.GetString("DataTable_AlreadyInOtherDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to DataTable already belongs to this DataSet.. /// - internal static string DataTable_AlreadyInTheDataSet { - get { + internal static string DataTable_AlreadyInTheDataSet + { + get + { return ResourceManager.GetString("DataTable_AlreadyInTheDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add a nested relation or an element column to a table containing a SimpleContent column.. /// - internal static string DataTable_CannotAddToSimpleContent { - get { + internal static string DataTable_CannotAddToSimpleContent + { + get + { return ResourceManager.GetString("DataTable_CannotAddToSimpleContent", resourceCulture); } } - + /// /// Looks up a localized string similar to This DataTable can only be remoted as part of DataSet. One or more Expression Columns has reference to other DataTable(s).. /// - internal static string DataTable_CanNotRemoteDataTable { - get { + internal static string DataTable_CanNotRemoteDataTable + { + get + { return ResourceManager.GetString("DataTable_CanNotRemoteDataTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot serialize the DataTable. A DataTable being used in one or more DataColumn expressions is not a descendant of current DataTable.. /// - internal static string DataTable_CanNotSerializeDataTableHierarchy { - get { + internal static string DataTable_CanNotSerializeDataTableHierarchy + { + get + { return ResourceManager.GetString("DataTable_CanNotSerializeDataTableHierarchy", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot serialize the DataTable. DataTable name is not set.. /// - internal static string DataTable_CanNotSerializeDataTableWithEmptyName { - get { + internal static string DataTable_CanNotSerializeDataTableWithEmptyName + { + get + { return ResourceManager.GetString("DataTable_CanNotSerializeDataTableWithEmptyName", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot have different remoting format property value for DataSet and DataTable.. /// - internal static string DataTable_CanNotSetRemotingFormat { - get { + internal static string DataTable_CanNotSetRemotingFormat + { + get + { return ResourceManager.GetString("DataTable_CanNotSetRemotingFormat", resourceCulture); } } - + /// /// Looks up a localized string similar to The name '{0}' is invalid. A DataTable cannot have the same name of the DataSet.. /// - internal static string DataTable_DatasetConflictingName { - get { + internal static string DataTable_DatasetConflictingName + { + get + { return ResourceManager.GetString("DataTable_DatasetConflictingName", resourceCulture); } } - + /// /// Looks up a localized string similar to A DataTable named '{0}' already belongs to this DataSet.. /// - internal static string DataTable_DuplicateName { - get { + internal static string DataTable_DuplicateName + { + get + { return ResourceManager.GetString("DataTable_DuplicateName", resourceCulture); } } - + /// /// Looks up a localized string similar to A DataTable named '{0}' with the same Namespace '{1}' already belongs to this DataSet.. /// - internal static string DataTable_DuplicateName2 { - get { + internal static string DataTable_DuplicateName2 + { + get + { return ResourceManager.GetString("DataTable_DuplicateName2", resourceCulture); } } - + /// /// Looks up a localized string similar to PrimaryKey columns do not belong to this table.. /// - internal static string DataTable_ForeignPrimaryKey { - get { + internal static string DataTable_ForeignPrimaryKey + { + get + { return ResourceManager.GetString("DataTable_ForeignPrimaryKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove table {0}, because it referenced in ForeignKeyConstraint {1}. Remove the constraint first.. /// - internal static string DataTable_InConstraint { - get { + internal static string DataTable_InConstraint + { + get + { return ResourceManager.GetString("DataTable_InConstraint", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove a table that has existing relations. Remove relations first.. /// - internal static string DataTable_InRelation { - get { + internal static string DataTable_InRelation + { + get + { return ResourceManager.GetString("DataTable_InRelation", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} isn't a valid Sort string entry.. /// - internal static string DataTable_InvalidSortString { - get { + internal static string DataTable_InvalidSortString + { + get + { return ResourceManager.GetString("DataTable_InvalidSortString", resourceCulture); } } - + /// /// Looks up a localized string similar to Table doesn't have a primary key.. /// - internal static string DataTable_MissingPrimaryKey { - get { + internal static string DataTable_MissingPrimaryKey + { + get + { return ResourceManager.GetString("DataTable_MissingPrimaryKey", resourceCulture); } } - + /// /// Looks up a localized string similar to DataTable already has a simple content column.. /// - internal static string DataTable_MultipleSimpleContentColumns { - get { + internal static string DataTable_MultipleSimpleContentColumns + { + get + { return ResourceManager.GetString("DataTable_MultipleSimpleContentColumns", resourceCulture); } } - + /// /// Looks up a localized string similar to TableName is required when it is part of a DataSet.. /// - internal static string DataTable_NoName { - get { + internal static string DataTable_NoName + { + get + { return ResourceManager.GetString("DataTable_NoName", resourceCulture); } } - + /// /// Looks up a localized string similar to Table {0} does not belong to this DataSet.. /// - internal static string DataTable_NotInTheDataSet { - get { + internal static string DataTable_NotInTheDataSet + { + get + { return ResourceManager.GetString("DataTable_NotInTheDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot find table {0}.. /// - internal static string DataTable_OutOfRange { - get { + internal static string DataTable_OutOfRange + { + get + { return ResourceManager.GetString("DataTable_OutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to The table ({0}) cannot be the child table to itself in a nested relation: the DataSet name conflicts with the table name.. /// - internal static string DataTable_SelfnestedDatasetConflictingName { - get { + internal static string DataTable_SelfnestedDatasetConflictingName + { + get + { return ResourceManager.GetString("DataTable_SelfnestedDatasetConflictingName", resourceCulture); } } - + /// /// Looks up a localized string similar to DataTable '{0}' does not match to any DataTable in source.. /// - internal static string DataTable_TableNotFound { - get { + internal static string DataTable_TableNotFound + { + get + { return ResourceManager.GetString("DataTable_TableNotFound", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether comparing strings within the table is case sensitive.. /// - internal static string DataTableCaseSensitiveDescr { - get { + internal static string DataTableCaseSensitiveDescr + { + get + { return ResourceManager.GetString("DataTableCaseSensitiveDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Returns the child relations for this table.. /// - internal static string DataTableChildRelationsDescr { - get { + internal static string DataTableChildRelationsDescr + { + get + { return ResourceManager.GetString("DataTableChildRelationsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs when a value has been changed for this column.. /// - internal static string DataTableColumnChangedDescr { - get { + internal static string DataTableColumnChangedDescr + { + get + { return ResourceManager.GetString("DataTableColumnChangedDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs when a value has been submitted for this column. The user can modify the proposed value and should throw an exception to cancel the edit.. /// - internal static string DataTableColumnChangingDescr { - get { + internal static string DataTableColumnChangingDescr + { + get + { return ResourceManager.GetString("DataTableColumnChangingDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to The collection that holds the columns for this table.. /// - internal static string DataTableColumnsDescr { - get { + internal static string DataTableColumnsDescr + { + get + { return ResourceManager.GetString("DataTableColumnsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to The collection that holds the constraints for this table.. /// - internal static string DataTableConstraintsDescr { - get { + internal static string DataTableConstraintsDescr + { + get + { return ResourceManager.GetString("DataTableConstraintsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the DataSet to which this table belongs.. /// - internal static string DataTableDataSetDescr { - get { + internal static string DataTableDataSetDescr + { + get + { return ResourceManager.GetString("DataTableDataSetDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to This is the default DataView for the table.. /// - internal static string DataTableDefaultViewDescr { - get { + internal static string DataTableDefaultViewDescr + { + get + { return ResourceManager.GetString("DataTableDefaultViewDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to The expression used to compute the data-bound value of this row.. /// - internal static string DataTableDisplayExpressionDescr { - get { + internal static string DataTableDisplayExpressionDescr + { + get + { return ResourceManager.GetString("DataTableDisplayExpressionDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Returns whether the table has errors.. /// - internal static string DataTableHasErrorsDescr { - get { + internal static string DataTableHasErrorsDescr + { + get + { return ResourceManager.GetString("DataTableHasErrorsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates a locale under which to compare strings within the table.. /// - internal static string DataTableLocaleDescr { - get { + internal static string DataTableLocaleDescr + { + get + { return ResourceManager.GetString("DataTableLocaleDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Individual columns mappings when this table mapping is matched.. /// - internal static string DataTableMapping_ColumnMappings { - get { + internal static string DataTableMapping_ColumnMappings + { + get + { return ResourceManager.GetString("DataTableMapping_ColumnMappings", resourceCulture); } } - + /// /// Looks up a localized string similar to DataTable.TableName. /// - internal static string DataTableMapping_DataSetTable { - get { + internal static string DataTableMapping_DataSetTable + { + get + { return ResourceManager.GetString("DataTableMapping_DataSetTable", resourceCulture); } } - + /// /// Looks up a localized string similar to The DataTableMapping source table name. This name is case sensitive.. /// - internal static string DataTableMapping_SourceTable { - get { + internal static string DataTableMapping_SourceTable + { + get + { return ResourceManager.GetString("DataTableMapping_SourceTable", resourceCulture); } } - + /// /// Looks up a localized string similar to The number of items in the collection. /// - internal static string DataTableMappings_Count { - get { + internal static string DataTableMappings_Count + { + get + { return ResourceManager.GetString("DataTableMappings_Count", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified DataTableMapping object. /// - internal static string DataTableMappings_Item { - get { + internal static string DataTableMappings_Item + { + get + { return ResourceManager.GetString("DataTableMappings_Item", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates an initial starting size for this table.. /// - internal static string DataTableMinimumCapacityDescr { - get { + internal static string DataTableMinimumCapacityDescr + { + get + { return ResourceManager.GetString("DataTableMinimumCapacityDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the XML uri namespace for the elements contained in this table.. /// - internal static string DataTableNamespaceDescr { - get { + internal static string DataTableNamespaceDescr + { + get + { return ResourceManager.GetString("DataTableNamespaceDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Returns the parent relations for this table.. /// - internal static string DataTableParentRelationsDescr { - get { + internal static string DataTableParentRelationsDescr + { + get + { return ResourceManager.GetString("DataTableParentRelationsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the Prefix of the namespace used for this table in XML representation.. /// - internal static string DataTablePrefixDescr { - get { + internal static string DataTablePrefixDescr + { + get + { return ResourceManager.GetString("DataTablePrefixDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the column(s) that represent the primary key for this table.. /// - internal static string DataTablePrimaryKeyDescr { - get { + internal static string DataTablePrimaryKeyDescr + { + get + { return ResourceManager.GetString("DataTablePrimaryKeyDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot create DataTableReader. Arguments contain null value.. /// - internal static string DataTableReader_ArgumentContainsNullValue { - get { + internal static string DataTableReader_ArgumentContainsNullValue + { + get + { return ResourceManager.GetString("DataTableReader_ArgumentContainsNullValue", resourceCulture); } } - + /// /// Looks up a localized string similar to DataTableReader Cannot be created. There is no DataTable in DataSet.. /// - internal static string DataTableReader_CannotCreateDataReaderOnEmptyDataSet { - get { + internal static string DataTableReader_CannotCreateDataReaderOnEmptyDataSet + { + get + { return ResourceManager.GetString("DataTableReader_CannotCreateDataReaderOnEmptyDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Current DataTable '{0}' is empty. There is no DataRow in DataTable.. /// - internal static string DataTableReader_DataTableCleared { - get { + internal static string DataTableReader_DataTableCleared + { + get + { return ResourceManager.GetString("DataTableReader_DataTableCleared", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot create DataTableReader. Argument is Empty.. /// - internal static string DataTableReader_DataTableReaderArgumentIsEmpty { - get { + internal static string DataTableReader_DataTableReaderArgumentIsEmpty + { + get + { return ResourceManager.GetString("DataTableReader_DataTableReaderArgumentIsEmpty", resourceCulture); } } - + /// /// Looks up a localized string similar to DataTableReader is invalid for current DataTable '{0}'.. /// - internal static string DataTableReader_InvalidDataTableReader { - get { + internal static string DataTableReader_InvalidDataTableReader + { + get + { return ResourceManager.GetString("DataTableReader_InvalidDataTableReader", resourceCulture); } } - + /// /// Looks up a localized string similar to Current DataRow is either in Deleted or Detached state.. /// - internal static string DataTableReader_InvalidRowInDataTableReader { - get { + internal static string DataTableReader_InvalidRowInDataTableReader + { + get + { return ResourceManager.GetString("DataTableReader_InvalidRowInDataTableReader", resourceCulture); } } - + /// /// Looks up a localized string similar to Schema of current DataTable '{0}' in DataTableReader has changed, DataTableReader is invalid.. /// - internal static string DataTableReader_SchemaInvalidDataTableReader { - get { + internal static string DataTableReader_SchemaInvalidDataTableReader + { + get + { return ResourceManager.GetString("DataTableReader_SchemaInvalidDataTableReader", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs after a row in the table has been successfully edited.. /// - internal static string DataTableRowChangedDescr { - get { + internal static string DataTableRowChangedDescr + { + get + { return ResourceManager.GetString("DataTableRowChangedDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs when the row is being changed so that the event handler can modify or cancel the change. The user can modify values in the row and should throw an exception to cancel the edit.. /// - internal static string DataTableRowChangingDescr { - get { + internal static string DataTableRowChangingDescr + { + get + { return ResourceManager.GetString("DataTableRowChangingDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs after a row in the table has been successfully deleted.. /// - internal static string DataTableRowDeletedDescr { - get { + internal static string DataTableRowDeletedDescr + { + get + { return ResourceManager.GetString("DataTableRowDeletedDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs when a row in the table marked for deletion. Throw an exception to cancel the deletion.. /// - internal static string DataTableRowDeletingDescr { - get { + internal static string DataTableRowDeletingDescr + { + get + { return ResourceManager.GetString("DataTableRowDeletingDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs after all rows in the table has been successfully cleared.. /// - internal static string DataTableRowsClearedDescr { - get { + internal static string DataTableRowsClearedDescr + { + get + { return ResourceManager.GetString("DataTableRowsClearedDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs prior to clearing all rows from the table.. /// - internal static string DataTableRowsClearingDescr { - get { + internal static string DataTableRowsClearingDescr + { + get + { return ResourceManager.GetString("DataTableRowsClearingDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the collection that holds the rows of data for this table.. /// - internal static string DataTableRowsDescr { - get { + internal static string DataTableRowsDescr + { + get + { return ResourceManager.GetString("DataTableRowsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs after a new DataRow has been instantiated.. /// - internal static string DataTableRowsNewRowDescr { - get { + internal static string DataTableRowsNewRowDescr + { + get + { return ResourceManager.GetString("DataTableRowsNewRowDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the name used to look up this table in the Tables collection of a DataSet.. /// - internal static string DataTableTableNameDescr { - get { + internal static string DataTableTableNameDescr + { + get + { return ResourceManager.GetString("DataTableTableNameDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add external objects to this list.. /// - internal static string DataView_AddExternalObject { - get { + internal static string DataView_AddExternalObject + { + get + { return ResourceManager.GetString("DataView_AddExternalObject", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot call AddNew on a DataView where AllowNew is false.. /// - internal static string DataView_AddNewNotAllowNull { - get { + internal static string DataView_AddNewNotAllowNull + { + get + { return ResourceManager.GetString("DataView_AddNewNotAllowNull", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot bind to DataTable with no name.. /// - internal static string DataView_CanNotBindTable { - get { + internal static string DataView_CanNotBindTable + { + get + { return ResourceManager.GetString("DataView_CanNotBindTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot clear this list.. /// - internal static string DataView_CanNotClear { - get { + internal static string DataView_CanNotClear + { + get + { return ResourceManager.GetString("DataView_CanNotClear", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot delete on a DataSource where AllowDelete is false.. /// - internal static string DataView_CanNotDelete { - get { + internal static string DataView_CanNotDelete + { + get + { return ResourceManager.GetString("DataView_CanNotDelete", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot edit on a DataSource where AllowEdit is false.. /// - internal static string DataView_CanNotEdit { - get { + internal static string DataView_CanNotEdit + { + get + { return ResourceManager.GetString("DataView_CanNotEdit", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change DataSet property once it is set.. /// - internal static string DataView_CanNotSetDataSet { - get { + internal static string DataView_CanNotSetDataSet + { + get + { return ResourceManager.GetString("DataView_CanNotSetDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change Table property once it is set.. /// - internal static string DataView_CanNotSetTable { - get { + internal static string DataView_CanNotSetTable + { + get + { return ResourceManager.GetString("DataView_CanNotSetTable", resourceCulture); } } - + /// /// Looks up a localized string similar to DataTable must be set prior to using DataView.. /// - internal static string DataView_CanNotUse { - get { + internal static string DataView_CanNotUse + { + get + { return ResourceManager.GetString("DataView_CanNotUse", resourceCulture); } } - + /// /// Looks up a localized string similar to DataSet must be set prior to using DataViewManager.. /// - internal static string DataView_CanNotUseDataViewManager { - get { + internal static string DataView_CanNotUseDataViewManager + { + get + { return ResourceManager.GetString("DataView_CanNotUseDataViewManager", resourceCulture); } } - + /// /// Looks up a localized string similar to The relation is not parented to the table to which this DataView points.. /// - internal static string DataView_CreateChildView { - get { + internal static string DataView_CreateChildView + { + get + { return ResourceManager.GetString("DataView_CreateChildView", resourceCulture); } } - + /// /// Looks up a localized string similar to Index {0} is either negative or above rows count.. /// - internal static string DataView_GetElementIndex { - get { + internal static string DataView_GetElementIndex + { + get + { return ResourceManager.GetString("DataView_GetElementIndex", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot insert external objects to this list.. /// - internal static string DataView_InsertExternalObject { - get { + internal static string DataView_InsertExternalObject + { + get + { return ResourceManager.GetString("DataView_InsertExternalObject", resourceCulture); } } - + /// /// Looks up a localized string similar to DataView is not open.. /// - internal static string DataView_NotOpen { - get { + internal static string DataView_NotOpen + { + get + { return ResourceManager.GetString("DataView_NotOpen", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove objects not in the list.. /// - internal static string DataView_RemoveExternalObject { - get { + internal static string DataView_RemoveExternalObject + { + get + { return ResourceManager.GetString("DataView_RemoveExternalObject", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change DataSet on a DataViewManager that's already the default view for a DataSet.. /// - internal static string DataView_SetDataSetFailed { - get { + internal static string DataView_SetDataSetFailed + { + get + { return ResourceManager.GetString("DataView_SetDataSetFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set {0}.. /// - internal static string DataView_SetFailed { - get { + internal static string DataView_SetFailed + { + get + { return ResourceManager.GetString("DataView_SetFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set an object into this list.. /// - internal static string DataView_SetIListObject { - get { + internal static string DataView_SetIListObject + { + get + { return ResourceManager.GetString("DataView_SetIListObject", resourceCulture); } } - + /// /// Looks up a localized string similar to RowStateFilter cannot show ModifiedOriginals and ModifiedCurrents at the same time.. /// - internal static string DataView_SetRowStateFilter { - get { + internal static string DataView_SetRowStateFilter + { + get + { return ResourceManager.GetString("DataView_SetRowStateFilter", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change Table property on a DefaultView or a DataView coming from a DataViewManager.. /// - internal static string DataView_SetTable { - get { + internal static string DataView_SetTable + { + get + { return ResourceManager.GetString("DataView_SetTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether this DataView and the user interface associated with it allows deletes.. /// - internal static string DataViewAllowDeleteDescr { - get { + internal static string DataViewAllowDeleteDescr + { + get + { return ResourceManager.GetString("DataViewAllowDeleteDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether this DataView and the user interface associated with it allows edits.. /// - internal static string DataViewAllowEditDescr { - get { + internal static string DataViewAllowEditDescr + { + get + { return ResourceManager.GetString("DataViewAllowEditDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether this DataView and the user interface associated with it allows new rows to be added.. /// - internal static string DataViewAllowNewDescr { - get { + internal static string DataViewAllowNewDescr + { + get + { return ResourceManager.GetString("DataViewAllowNewDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether to use the default sort if the Sort property is not set.. /// - internal static string DataViewApplyDefaultSortDescr { - get { + internal static string DataViewApplyDefaultSortDescr + { + get + { return ResourceManager.GetString("DataViewApplyDefaultSortDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Returns the number of items currently in this view.. /// - internal static string DataViewCountDescr { - get { + internal static string DataViewCountDescr + { + get + { return ResourceManager.GetString("DataViewCountDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to This returns a pointer to back to the DataViewManager that owns this DataSet (if any).. /// - internal static string DataViewDataViewManagerDescr { - get { + internal static string DataViewDataViewManagerDescr + { + get + { return ResourceManager.GetString("DataViewDataViewManagerDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether the view is open.. /// - internal static string DataViewIsOpenDescr { - get { + internal static string DataViewIsOpenDescr + { + get + { return ResourceManager.GetString("DataViewIsOpenDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates that the data returned by this DataView has somehow changed.. /// - internal static string DataViewListChangedDescr { - get { + internal static string DataViewListChangedDescr + { + get + { return ResourceManager.GetString("DataViewListChangedDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the source of data for this DataViewManager.. /// - internal static string DataViewManagerDataSetDescr { - get { + internal static string DataViewManagerDataSetDescr + { + get + { return ResourceManager.GetString("DataViewManagerDataSetDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the sorting/filtering/state settings for any table in the corresponding DataSet.. /// - internal static string DataViewManagerTableSettingsDescr { - get { + internal static string DataViewManagerTableSettingsDescr + { + get + { return ResourceManager.GetString("DataViewManagerTableSettingsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates an expression used to filter the data returned by this DataView.. /// - internal static string DataViewRowFilterDescr { - get { + internal static string DataViewRowFilterDescr + { + get + { return ResourceManager.GetString("DataViewRowFilterDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the versions of data returned by this DataView.. /// - internal static string DataViewRowStateFilterDescr { - get { + internal static string DataViewRowStateFilterDescr + { + get + { return ResourceManager.GetString("DataViewRowStateFilterDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the names of the column and the order in which data is returned by this DataView.. /// - internal static string DataViewSortDescr { - get { + internal static string DataViewSortDescr + { + get + { return ResourceManager.GetString("DataViewSortDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the table this DataView uses to get data.. /// - internal static string DataViewTableDescr { - get { + internal static string DataViewTableDescr + { + get + { return ResourceManager.GetString("DataViewTableDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Command text to execute.. /// - internal static string DbCommand_CommandText { - get { + internal static string DbCommand_CommandText + { + get + { return ResourceManager.GetString("DbCommand_CommandText", resourceCulture); } } - + /// /// Looks up a localized string similar to Time to wait for command to execute.. /// - internal static string DbCommand_CommandTimeout { - get { + internal static string DbCommand_CommandTimeout + { + get + { return ResourceManager.GetString("DbCommand_CommandTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to How to interpret the CommandText.. /// - internal static string DbCommand_CommandType { - get { + internal static string DbCommand_CommandType + { + get + { return ResourceManager.GetString("DbCommand_CommandType", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection used by the command.. /// - internal static string DbCommand_Connection { - get { + internal static string DbCommand_Connection + { + get + { return ResourceManager.GetString("DbCommand_Connection", resourceCulture); } } - + /// /// Looks up a localized string similar to The parameters collection.. /// - internal static string DbCommand_Parameters { - get { + internal static string DbCommand_Parameters + { + get + { return ResourceManager.GetString("DbCommand_Parameters", resourceCulture); } } - + /// /// Looks up a localized string similar to When records are affected by a given statement by the execution of the command.. /// - internal static string DbCommand_StatementCompleted { - get { + internal static string DbCommand_StatementCompleted + { + get + { return ResourceManager.GetString("DbCommand_StatementCompleted", resourceCulture); } } - + /// /// Looks up a localized string similar to The transaction used by the command.. /// - internal static string DbCommand_Transaction { - get { + internal static string DbCommand_Transaction + { + get + { return ResourceManager.GetString("DbCommand_Transaction", resourceCulture); } } - + /// /// Looks up a localized string similar to When used by a DataAdapter.Update, how command results are applied to the current DataRow.. /// - internal static string DbCommand_UpdatedRowSource { - get { + internal static string DbCommand_UpdatedRowSource + { + get + { return ResourceManager.GetString("DbCommand_UpdatedRowSource", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the position of the catalog name in a qualified table name in a text command.. /// - internal static string DbCommandBuilder_CatalogLocation { - get { + internal static string DbCommandBuilder_CatalogLocation + { + get + { return ResourceManager.GetString("DbCommandBuilder_CatalogLocation", resourceCulture); } } - + /// /// Looks up a localized string similar to The character that separates the catalog name from the rest of the identifier in a text command.. /// - internal static string DbCommandBuilder_CatalogSeparator { - get { + internal static string DbCommandBuilder_CatalogSeparator + { + get + { return ResourceManager.GetString("DbCommandBuilder_CatalogSeparator", resourceCulture); } } - + /// /// Looks up a localized string similar to How the where clause is auto-generated for the Update and Delete commands when not specified by the user.. /// - internal static string DbCommandBuilder_ConflictOption { - get { + internal static string DbCommandBuilder_ConflictOption + { + get + { return ResourceManager.GetString("DbCommandBuilder_ConflictOption", resourceCulture); } } - + /// /// Looks up a localized string similar to The DataAdapter for which to automatically generate Commands.. /// - internal static string DbCommandBuilder_DataAdapter { - get { + internal static string DbCommandBuilder_DataAdapter + { + get + { return ResourceManager.GetString("DbCommandBuilder_DataAdapter", resourceCulture); } } - + /// /// Looks up a localized string similar to The prefix string wrapped around sql objects.. /// - internal static string DbCommandBuilder_QuotePrefix { - get { + internal static string DbCommandBuilder_QuotePrefix + { + get + { return ResourceManager.GetString("DbCommandBuilder_QuotePrefix", resourceCulture); } } - + /// /// Looks up a localized string similar to The suffix string wrapped around sql objects.. /// - internal static string DbCommandBuilder_QuoteSuffix { - get { + internal static string DbCommandBuilder_QuoteSuffix + { + get + { return ResourceManager.GetString("DbCommandBuilder_QuoteSuffix", resourceCulture); } } - + /// /// Looks up a localized string similar to Use schema from DataTable or the SelectCommand.. /// - internal static string DbCommandBuilder_SchemaLocation { - get { + internal static string DbCommandBuilder_SchemaLocation + { + get + { return ResourceManager.GetString("DbCommandBuilder_SchemaLocation", resourceCulture); } } - + /// /// Looks up a localized string similar to The character that separates the schema name from the rest of the identifier in a text command.. /// - internal static string DbCommandBuilder_SchemaSeparator { - get { + internal static string DbCommandBuilder_SchemaSeparator + { + get + { return ResourceManager.GetString("DbCommandBuilder_SchemaSeparator", resourceCulture); } } - + /// /// Looks up a localized string similar to How the set clause is auto-generated for the Update command when not specified by the user.. /// - internal static string DbCommandBuilder_SetAllValues { - get { + internal static string DbCommandBuilder_SetAllValues + { + get + { return ResourceManager.GetString("DbCommandBuilder_SetAllValues", resourceCulture); } } - + /// /// Looks up a localized string similar to Event triggered when messages arrive from the DataSource.. /// - internal static string DbConnection_InfoMessage { - get { + internal static string DbConnection_InfoMessage + { + get + { return ResourceManager.GetString("DbConnection_InfoMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to The ConnectionState indicating whether the connection is open or closed.. /// - internal static string DbConnection_State { - get { + internal static string DbConnection_State + { + get + { return ResourceManager.GetString("DbConnection_State", resourceCulture); } } - + /// /// Looks up a localized string similar to Event triggered when the connection changes state.. /// - internal static string DbConnection_StateChange { - get { + internal static string DbConnection_StateChange + { + get + { return ResourceManager.GetString("DbConnection_StateChange", resourceCulture); } } - + /// /// Looks up a localized string similar to When true, indicates that managed connection pooling should be used.. /// - internal static string DbConnectionString_AdoNetPooler { - get { + internal static string DbConnectionString_AdoNetPooler + { + get + { return ResourceManager.GetString("DbConnectionString_AdoNetPooler", resourceCulture); } } - + /// /// Looks up a localized string similar to Declares the application workload type when connecting to a server.. /// - internal static string DbConnectionString_ApplicationIntent { - get { + internal static string DbConnectionString_ApplicationIntent + { + get + { return ResourceManager.GetString("DbConnectionString_ApplicationIntent", resourceCulture); } } - + /// /// Looks up a localized string similar to The name of the application.. /// - internal static string DbConnectionString_ApplicationName { - get { + internal static string DbConnectionString_ApplicationName + { + get + { return ResourceManager.GetString("DbConnectionString_ApplicationName", resourceCulture); } } - + /// /// Looks up a localized string similar to When true, enables usage of the Asynchronous functionality in the .NET Framework Data Provider.. /// - internal static string DbConnectionString_AsynchronousProcessing { - get { + internal static string DbConnectionString_AsynchronousProcessing + { + get + { return ResourceManager.GetString("DbConnectionString_AsynchronousProcessing", resourceCulture); } } - + /// /// Looks up a localized string similar to The name of the primary file, including the full path name, of an attachable database.. /// - internal static string DbConnectionString_AttachDBFilename { - get { + internal static string DbConnectionString_AttachDBFilename + { + get + { return ResourceManager.GetString("DbConnectionString_AttachDBFilename", resourceCulture); } } - + /// /// Looks up a localized string similar to Specifies the method of authenticating with SQL Server.. /// - internal static string DbConnectionString_Authentication { - get { + internal static string DbConnectionString_Authentication + { + get + { return ResourceManager.GetString("DbConnectionString_Authentication", resourceCulture); } } - + /// /// Looks up a localized string similar to Specified client certificate for authenticating with SQL Server. . /// - internal static string DbConnectionString_Certificate { - get { + internal static string DbConnectionString_Certificate + { + get + { return ResourceManager.GetString("DbConnectionString_Certificate", resourceCulture); } } - + /// /// Looks up a localized string similar to When true, indicates the connection state is reset when removed from the pool.. /// - internal static string DbConnectionString_ConnectionReset { - get { + internal static string DbConnectionString_ConnectionReset + { + get + { return ResourceManager.GetString("DbConnectionString_ConnectionReset", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection string used to connect to the Data Source.. /// - internal static string DbConnectionString_ConnectionString { - get { + internal static string DbConnectionString_ConnectionString + { + get + { return ResourceManager.GetString("DbConnectionString_ConnectionString", resourceCulture); } } - + /// /// Looks up a localized string similar to Number of attempts to restore connection.. /// - internal static string DbConnectionString_ConnectRetryCount { - get { + internal static string DbConnectionString_ConnectRetryCount + { + get + { return ResourceManager.GetString("DbConnectionString_ConnectRetryCount", resourceCulture); } } - + /// /// Looks up a localized string similar to Delay between attempts to restore connection.. /// - internal static string DbConnectionString_ConnectRetryInterval { - get { + internal static string DbConnectionString_ConnectRetryInterval + { + get + { return ResourceManager.GetString("DbConnectionString_ConnectRetryInterval", resourceCulture); } } - + /// /// Looks up a localized string similar to The length of time (in seconds) to wait for a connection to the server before terminating the attempt and generating an error.. /// - internal static string DbConnectionString_ConnectTimeout { - get { + internal static string DbConnectionString_ConnectTimeout + { + get + { return ResourceManager.GetString("DbConnectionString_ConnectTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to When true, indicates the connection should be from the Sql Server context. Available only when running in the Sql Server process.. /// - internal static string DbConnectionString_ContextConnection { - get { + internal static string DbConnectionString_ContextConnection + { + get + { return ResourceManager.GetString("DbConnectionString_ContextConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to The SQL Server Language record name.. /// - internal static string DbConnectionString_CurrentLanguage { - get { + internal static string DbConnectionString_CurrentLanguage + { + get + { return ResourceManager.GetString("DbConnectionString_CurrentLanguage", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the name of the data source to connect to.. /// - internal static string DbConnectionString_DataSource { - get { + internal static string DbConnectionString_DataSource + { + get + { return ResourceManager.GetString("DbConnectionString_DataSource", resourceCulture); } } - + /// /// Looks up a localized string similar to The name of the ODBC Driver to use when connecting to the Data Source.. /// - internal static string DbConnectionString_Driver { - get { + internal static string DbConnectionString_Driver + { + get + { return ResourceManager.GetString("DbConnectionString_Driver", resourceCulture); } } - + /// /// Looks up a localized string similar to The DSN to use when connecting to the Data Source.. /// - internal static string DbConnectionString_DSN { - get { + internal static string DbConnectionString_DSN + { + get + { return ResourceManager.GetString("DbConnectionString_DSN", resourceCulture); } } - + /// /// Looks up a localized string similar to When true, SQL Server uses SSL encryption for all data sent between the client and server if the server has a certificate installed.. /// - internal static string DbConnectionString_Encrypt { - get { + internal static string DbConnectionString_Encrypt + { + get + { return ResourceManager.GetString("DbConnectionString_Encrypt", resourceCulture); } } - + /// /// Looks up a localized string similar to Sessions in a Component Services (or MTS, if you are using Microsoft Windows NT) environment should automatically be enlisted in a global transaction where required.. /// - internal static string DbConnectionString_Enlist { - get { + internal static string DbConnectionString_Enlist + { + get + { return ResourceManager.GetString("DbConnectionString_Enlist", resourceCulture); } } - + /// /// Looks up a localized string similar to The name or network address of the instance of SQL Server that acts as a failover partner.. /// - internal static string DbConnectionString_FailoverPartner { - get { + internal static string DbConnectionString_FailoverPartner + { + get + { return ResourceManager.GetString("DbConnectionString_FailoverPartner", resourceCulture); } } - + /// /// Looks up a localized string similar to The UDL file to use when connecting to the Data Source.. /// - internal static string DbConnectionString_FileName { - get { + internal static string DbConnectionString_FileName + { + get + { return ResourceManager.GetString("DbConnectionString_FileName", resourceCulture); } } - + /// /// Looks up a localized string similar to The name of the initial catalog or database in the data source.. /// - internal static string DbConnectionString_InitialCatalog { - get { + internal static string DbConnectionString_InitialCatalog + { + get + { return ResourceManager.GetString("DbConnectionString_InitialCatalog", resourceCulture); } } - + /// /// Looks up a localized string similar to Whether the connection is to be a secure connection or not.. /// - internal static string DbConnectionString_IntegratedSecurity { - get { + internal static string DbConnectionString_IntegratedSecurity + { + get + { return ResourceManager.GetString("DbConnectionString_IntegratedSecurity", resourceCulture); } } - + /// /// Looks up a localized string similar to The minimum amount of time (in seconds) for this connection to live in the pool before being destroyed.. /// - internal static string DbConnectionString_LoadBalanceTimeout { - get { + internal static string DbConnectionString_LoadBalanceTimeout + { + get + { return ResourceManager.GetString("DbConnectionString_LoadBalanceTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to The maximum number of connections allowed in the pool.. /// - internal static string DbConnectionString_MaxPoolSize { - get { + internal static string DbConnectionString_MaxPoolSize + { + get + { return ResourceManager.GetString("DbConnectionString_MaxPoolSize", resourceCulture); } } - + /// /// Looks up a localized string similar to The minimum number of connections allowed in the pool.. /// - internal static string DbConnectionString_MinPoolSize { - get { + internal static string DbConnectionString_MinPoolSize + { + get + { return ResourceManager.GetString("DbConnectionString_MinPoolSize", resourceCulture); } } - + /// /// Looks up a localized string similar to When true, multiple result sets can be returned and read from one connection.. /// - internal static string DbConnectionString_MultipleActiveResultSets { - get { + internal static string DbConnectionString_MultipleActiveResultSets + { + get + { return ResourceManager.GetString("DbConnectionString_MultipleActiveResultSets", resourceCulture); } } - + /// /// Looks up a localized string similar to If your application is connecting to a high-availability, disaster recovery (AlwaysOn) availability group (AG) on different subnets, MultiSubnetFailover=Yes configures SqlConnection to provide faster detection of and connection to the (currently) active server.. /// - internal static string DbConnectionString_MultiSubnetFailover { - get { + internal static string DbConnectionString_MultiSubnetFailover + { + get + { return ResourceManager.GetString("DbConnectionString_MultiSubnetFailover", resourceCulture); } } - + /// /// Looks up a localized string similar to The network library used to establish a connection to an instance of SQL Server.. /// - internal static string DbConnectionString_NetworkLibrary { - get { + internal static string DbConnectionString_NetworkLibrary + { + get + { return ResourceManager.GetString("DbConnectionString_NetworkLibrary", resourceCulture); } } - + /// /// Looks up a localized string similar to Specifies which OLE DB Services to enable or disable with the OleDb Provider.. /// - internal static string DbConnectionString_OleDbServices { - get { + internal static string DbConnectionString_OleDbServices + { + get + { return ResourceManager.GetString("DbConnectionString_OleDbServices", resourceCulture); } } - + /// /// Looks up a localized string similar to Size in bytes of the network packets used to communicate with an instance of SQL Server.. /// - internal static string DbConnectionString_PacketSize { - get { + internal static string DbConnectionString_PacketSize + { + get + { return ResourceManager.GetString("DbConnectionString_PacketSize", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the password to be used when connecting to the data source.. /// - internal static string DbConnectionString_Password { - get { + internal static string DbConnectionString_Password + { + get + { return ResourceManager.GetString("DbConnectionString_Password", resourceCulture); } } - + /// /// Looks up a localized string similar to When false, security-sensitive information, such as the password, is not returned as part of the connection if the connection is open or has ever been in an open state.. /// - internal static string DbConnectionString_PersistSecurityInfo { - get { + internal static string DbConnectionString_PersistSecurityInfo + { + get + { return ResourceManager.GetString("DbConnectionString_PersistSecurityInfo", resourceCulture); } } - + /// /// Looks up a localized string similar to Defines the blocking period behavior for a connection pool.. /// - internal static string DbConnectionString_PoolBlockingPeriod { - get { + internal static string DbConnectionString_PoolBlockingPeriod + { + get + { return ResourceManager.GetString("DbConnectionString_PoolBlockingPeriod", resourceCulture); } } - + /// /// Looks up a localized string similar to When true, the connection object is drawn from the appropriate pool, or if necessary, is created and added to the appropriate pool.. /// - internal static string DbConnectionString_Pooling { - get { + internal static string DbConnectionString_Pooling + { + get + { return ResourceManager.GetString("DbConnectionString_Pooling", resourceCulture); } } - + /// /// Looks up a localized string similar to The name of the OLE DB Provider to use when connecting to the Data Source.. /// - internal static string DbConnectionString_Provider { - get { + internal static string DbConnectionString_Provider + { + get + { return ResourceManager.GetString("DbConnectionString_Provider", resourceCulture); } } - + /// /// Looks up a localized string similar to Used by SQL Server in Replication.. /// - internal static string DbConnectionString_Replication { - get { + internal static string DbConnectionString_Replication + { + get + { return ResourceManager.GetString("DbConnectionString_Replication", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates binding behavior of connection to a System.Transactions Transaction when enlisted.. /// - internal static string DbConnectionString_TransactionBinding { - get { + internal static string DbConnectionString_TransactionBinding + { + get + { return ResourceManager.GetString("DbConnectionString_TransactionBinding", resourceCulture); } } - + /// /// Looks up a localized string similar to If your application connects to different networks, TransparentNetworkIPResolution=Yes configures SqlConnection to provide transparent connection resolution to the currently active server, independently of the network IP topology.. /// - internal static string DbConnectionString_TransparentNetworkIPResolution { - get { + internal static string DbConnectionString_TransparentNetworkIPResolution + { + get + { return ResourceManager.GetString("DbConnectionString_TransparentNetworkIPResolution", resourceCulture); } } - + /// /// Looks up a localized string similar to When true (and encrypt=true), SQL Server uses SSL encryption for all data sent between the client and server without validating the server certificate.. /// - internal static string DbConnectionString_TrustServerCertificate { - get { + internal static string DbConnectionString_TrustServerCertificate + { + get + { return ResourceManager.GetString("DbConnectionString_TrustServerCertificate", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates which server type system the provider will expose through the DataReader.. /// - internal static string DbConnectionString_TypeSystemVersion { - get { + internal static string DbConnectionString_TypeSystemVersion + { + get + { return ResourceManager.GetString("DbConnectionString_TypeSystemVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the user ID to be used when connecting to the data source.. /// - internal static string DbConnectionString_UserID { - get { + internal static string DbConnectionString_UserID + { + get + { return ResourceManager.GetString("DbConnectionString_UserID", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether the connection will be re-directed to connect to an instance of SQL Server running under the user's account.. /// - internal static string DbConnectionString_UserInstance { - get { + internal static string DbConnectionString_UserInstance + { + get + { return ResourceManager.GetString("DbConnectionString_UserInstance", resourceCulture); } } - + /// /// Looks up a localized string similar to The name of the workstation connecting to SQL Server.. /// - internal static string DbConnectionString_WorkstationID { - get { + internal static string DbConnectionString_WorkstationID + { + get + { return ResourceManager.GetString("DbConnectionString_WorkstationID", resourceCulture); } } - + /// /// Looks up a localized string similar to Used during Update for deleted rows in DataSet.. /// - internal static string DbDataAdapter_DeleteCommand { - get { + internal static string DbDataAdapter_DeleteCommand + { + get + { return ResourceManager.GetString("DbDataAdapter_DeleteCommand", resourceCulture); } } - + /// /// Looks up a localized string similar to Used during Update for new rows in DataSet.. /// - internal static string DbDataAdapter_InsertCommand { - get { + internal static string DbDataAdapter_InsertCommand + { + get + { return ResourceManager.GetString("DbDataAdapter_InsertCommand", resourceCulture); } } - + /// /// Looks up a localized string similar to Event triggered before every DataRow during Update.. /// - internal static string DbDataAdapter_RowUpdated { - get { + internal static string DbDataAdapter_RowUpdated + { + get + { return ResourceManager.GetString("DbDataAdapter_RowUpdated", resourceCulture); } } - + /// /// Looks up a localized string similar to Event triggered after every DataRow during Update.. /// - internal static string DbDataAdapter_RowUpdating { - get { + internal static string DbDataAdapter_RowUpdating + { + get + { return ResourceManager.GetString("DbDataAdapter_RowUpdating", resourceCulture); } } - + /// /// Looks up a localized string similar to Used during Fill/FillSchema.. /// - internal static string DbDataAdapter_SelectCommand { - get { + internal static string DbDataAdapter_SelectCommand + { + get + { return ResourceManager.GetString("DbDataAdapter_SelectCommand", resourceCulture); } } - + /// /// Looks up a localized string similar to Number of rows to batch together before executing against the data source.. /// - internal static string DbDataAdapter_UpdateBatchSize { - get { + internal static string DbDataAdapter_UpdateBatchSize + { + get + { return ResourceManager.GetString("DbDataAdapter_UpdateBatchSize", resourceCulture); } } - + /// /// Looks up a localized string similar to Used during Update for modified rows in DataSet.. /// - internal static string DbDataAdapter_UpdateCommand { - get { + internal static string DbDataAdapter_UpdateCommand + { + get + { return ResourceManager.GetString("DbDataAdapter_UpdateCommand", resourceCulture); } } - + /// /// Looks up a localized string similar to Only necessary to set for decimal and numeric parameters when using with Prepare, FillSchema and CommandBuilder scenarios.. /// - internal static string DbDataParameter_Precision { - get { + internal static string DbDataParameter_Precision + { + get + { return ResourceManager.GetString("DbDataParameter_Precision", resourceCulture); } } - + /// /// Looks up a localized string similar to Only necessary to set for decimal and numeric parameters when using with Prepare, FillSchema and CommandBuilder scenarios.. /// - internal static string DbDataParameter_Scale { - get { + internal static string DbDataParameter_Scale + { + get + { return ResourceManager.GetString("DbDataParameter_Scale", resourceCulture); } } - + /// /// Looks up a localized string similar to The parameter generic type.. /// - internal static string DbParameter_DbType { - get { + internal static string DbParameter_DbType + { + get + { return ResourceManager.GetString("DbParameter_DbType", resourceCulture); } } - + /// /// Looks up a localized string similar to Input, output, or bidirectional parameter.. /// - internal static string DbParameter_Direction { - get { + internal static string DbParameter_Direction + { + get + { return ResourceManager.GetString("DbParameter_Direction", resourceCulture); } } - + /// /// Looks up a localized string similar to a design-time property used for strongly typed code-generation.. /// - internal static string DbParameter_IsNullable { - get { + internal static string DbParameter_IsNullable + { + get + { return ResourceManager.GetString("DbParameter_IsNullable", resourceCulture); } } - + /// /// Looks up a localized string similar to Offset in variable length data types.. /// - internal static string DbParameter_Offset { - get { + internal static string DbParameter_Offset + { + get + { return ResourceManager.GetString("DbParameter_Offset", resourceCulture); } } - + /// /// Looks up a localized string similar to Name of the parameter.. /// - internal static string DbParameter_ParameterName { - get { + internal static string DbParameter_ParameterName + { + get + { return ResourceManager.GetString("DbParameter_ParameterName", resourceCulture); } } - + /// /// Looks up a localized string similar to Size of variable length data types (string & arrays).. /// - internal static string DbParameter_Size { - get { + internal static string DbParameter_Size + { + get + { return ResourceManager.GetString("DbParameter_Size", resourceCulture); } } - + /// /// Looks up a localized string similar to When used by a DataAdapter.Update, the source column name that is used to find the DataSetColumn name in the ColumnMappings. This is to copy a value between the parameter and a data row.. /// - internal static string DbParameter_SourceColumn { - get { + internal static string DbParameter_SourceColumn + { + get + { return ResourceManager.GetString("DbParameter_SourceColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to When used by DataAdapter.Update, the parameter value is changed from DBNull.Value into (Int32)1 or (Int32)0 if non-null.. /// - internal static string DbParameter_SourceColumnNullMapping { - get { + internal static string DbParameter_SourceColumnNullMapping + { + get + { return ResourceManager.GetString("DbParameter_SourceColumnNullMapping", resourceCulture); } } - + /// /// Looks up a localized string similar to When used by a DataAdapter.Update (UpdateCommand only), the version of the DataRow value that is used to update the data source.. /// - internal static string DbParameter_SourceVersion { - get { + internal static string DbParameter_SourceVersion + { + get + { return ResourceManager.GetString("DbParameter_SourceVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to Value of the parameter.. /// - internal static string DbParameter_Value { - get { + internal static string DbParameter_Value + { + get + { return ResourceManager.GetString("DbParameter_Value", resourceCulture); } } - + /// /// Looks up a localized string similar to How are the Insert/Update/DeleteCommands generated when not set by the user.. /// - internal static string DbTable_ConflictDetection { - get { + internal static string DbTable_ConflictDetection + { + get + { return ResourceManager.GetString("DbTable_ConflictDetection", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection used if the the Select/Insert/Update/DeleteCommands do not already have a connection.. /// - internal static string DbTable_Connection { - get { + internal static string DbTable_Connection + { + get + { return ResourceManager.GetString("DbTable_Connection", resourceCulture); } } - + /// /// Looks up a localized string similar to Used during Update for deleted rows in the DataTable.. /// - internal static string DbTable_DeleteCommand { - get { + internal static string DbTable_DeleteCommand + { + get + { return ResourceManager.GetString("DbTable_DeleteCommand", resourceCulture); } } - + /// /// Looks up a localized string similar to Used during Update for new rows in the DataTable.. /// - internal static string DbTable_InsertCommand { - get { + internal static string DbTable_InsertCommand + { + get + { return ResourceManager.GetString("DbTable_InsertCommand", resourceCulture); } } - + /// /// Looks up a localized string similar to Should Fill return provider specific values or common CLSCompliant values.. /// - internal static string DbTable_ReturnProviderSpecificTypes { - get { + internal static string DbTable_ReturnProviderSpecificTypes + { + get + { return ResourceManager.GetString("DbTable_ReturnProviderSpecificTypes", resourceCulture); } } - + /// /// Looks up a localized string similar to Used during Fill.. /// - internal static string DbTable_SelectCommand { - get { + internal static string DbTable_SelectCommand + { + get + { return ResourceManager.GetString("DbTable_SelectCommand", resourceCulture); } } - + /// /// Looks up a localized string similar to How to map source table to DataTable.. /// - internal static string DbTable_TableMapping { - get { + internal static string DbTable_TableMapping + { + get + { return ResourceManager.GetString("DbTable_TableMapping", resourceCulture); } } - + /// /// Looks up a localized string similar to Number of rows to batch together before executing against the data source.. /// - internal static string DbTable_UpdateBatchSize { - get { + internal static string DbTable_UpdateBatchSize + { + get + { return ResourceManager.GetString("DbTable_UpdateBatchSize", resourceCulture); } } - + /// /// Looks up a localized string similar to Used during Update for modified rows in the DataTable.. /// - internal static string DbTable_UpdateCommand { - get { + internal static string DbTable_UpdateCommand + { + get + { return ResourceManager.GetString("DbTable_UpdateCommand", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error occurred when retrying the download of the HGS root certificate after the initial request failed. Contact Customer Support Services.. /// - internal static string EnclaveRetrySleepInSecondsValueException { - get { + internal static string EnclaveRetrySleepInSecondsValueException + { + get + { return ResourceManager.GetString("EnclaveRetrySleepInSecondsValueException", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Unable to invalidate the requested enclave session, because it does not exist in the cache. Contact Customer Support Services.. /// - internal static string EnclaveSessionInvalidationFailed { - get { + internal static string EnclaveSessionInvalidationFailed + { + get + { return ResourceManager.GetString("EnclaveSessionInvalidationFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to The validation of an attestation token failed. The token received from SQL Server is expired. Contact Customer Support Services.. /// - internal static string ExpiredAttestationToken { - get { + internal static string ExpiredAttestationToken + { + get + { return ResourceManager.GetString("ExpiredAttestationToken", resourceCulture); } } - + /// /// Looks up a localized string similar to Syntax error in aggregate argument: Expecting a single column argument with possible 'Child' qualifier.. /// - internal static string Expr_AggregateArgument { - get { + internal static string Expr_AggregateArgument + { + get + { return ResourceManager.GetString("Expr_AggregateArgument", resourceCulture); } } - + /// /// Looks up a localized string similar to Unbound reference in the aggregate expression '{0}'.. /// - internal static string Expr_AggregateUnbound { - get { + internal static string Expr_AggregateUnbound + { + get + { return ResourceManager.GetString("Expr_AggregateUnbound", resourceCulture); } } - + /// /// Looks up a localized string similar to Operator '{0}' is ambiguous on operands of type '{1}' and '{2}'. Cannot mix signed and unsigned types. Please use explicit Convert() function.. /// - internal static string Expr_AmbiguousBinop { - get { + internal static string Expr_AmbiguousBinop + { + get + { return ResourceManager.GetString("Expr_AmbiguousBinop", resourceCulture); } } - + /// /// Looks up a localized string similar to {0}() argument is out of range.. /// - internal static string Expr_ArgumentOutofRange { - get { + internal static string Expr_ArgumentOutofRange + { + get + { return ResourceManager.GetString("Expr_ArgumentOutofRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Type mismatch in function argument: {0}(), argument {1}, expected {2}.. /// - internal static string Expr_ArgumentType { - get { + internal static string Expr_ArgumentType + { + get + { return ResourceManager.GetString("Expr_ArgumentType", resourceCulture); } } - + /// /// Looks up a localized string similar to Type mismatch in function argument: {0}(), argument {1}, expected one of the Integer types.. /// - internal static string Expr_ArgumentTypeInteger { - get { + internal static string Expr_ArgumentTypeInteger + { + get + { return ResourceManager.GetString("Expr_ArgumentTypeInteger", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot find the parent relation '{0}'.. /// - internal static string Expr_BindFailure { - get { + internal static string Expr_BindFailure + { + get + { return ResourceManager.GetString("Expr_BindFailure", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot evaluate. Expression '{0}' is not an aggregate.. /// - internal static string Expr_ComputeNotAggregate { - get { + internal static string Expr_ComputeNotAggregate + { + get + { return ResourceManager.GetString("Expr_ComputeNotAggregate", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot convert from {0} to {1}.. /// - internal static string Expr_DatatypeConvertion { - get { + internal static string Expr_DatatypeConvertion + { + get + { return ResourceManager.GetString("Expr_DatatypeConvertion", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot convert value '{0}' to Type: {1}.. /// - internal static string Expr_DatavalueConvertion { - get { + internal static string Expr_DatavalueConvertion + { + get + { return ResourceManager.GetString("Expr_DatavalueConvertion", resourceCulture); } } - + /// /// Looks up a localized string similar to Divide by zero error encountered.. /// - internal static string Expr_DivideByZero { - get { + internal static string Expr_DivideByZero + { + get + { return ResourceManager.GetString("Expr_DivideByZero", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot evaluate non-constant expression without current row.. /// - internal static string Expr_EvalNoContext { - get { + internal static string Expr_EvalNoContext + { + get + { return ResourceManager.GetString("Expr_EvalNoContext", resourceCulture); } } - + /// /// Looks up a localized string similar to Expression is too complex.. /// - internal static string Expr_ExpressionTooComplex { - get { + internal static string Expr_ExpressionTooComplex + { + get + { return ResourceManager.GetString("Expr_ExpressionTooComplex", resourceCulture); } } - + /// /// Looks up a localized string similar to Unbound reference in the expression '{0}'.. /// - internal static string Expr_ExpressionUnbound { - get { + internal static string Expr_ExpressionUnbound + { + get + { return ResourceManager.GetString("Expr_ExpressionUnbound", resourceCulture); } } - + /// /// Looks up a localized string similar to Filter expression '{0}' does not evaluate to a Boolean term.. /// - internal static string Expr_FilterConvertion { - get { + internal static string Expr_FilterConvertion + { + get + { return ResourceManager.GetString("Expr_FilterConvertion", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid number of arguments: function {0}().. /// - internal static string Expr_FunctionArgumentCount { - get { + internal static string Expr_FunctionArgumentCount + { + get + { return ResourceManager.GetString("Expr_FunctionArgumentCount", resourceCulture); } } - + /// /// Looks up a localized string similar to The expression contains invalid date constant '{0}'.. /// - internal static string Expr_InvalidDate { - get { + internal static string Expr_InvalidDate + { + get + { return ResourceManager.GetString("Expr_InvalidDate", resourceCulture); } } - + /// /// Looks up a localized string similar to 'hours' argument is out of range. Value must be between -14 and +14.. /// - internal static string Expr_InvalidHoursArgument { - get { + internal static string Expr_InvalidHoursArgument + { + get + { return ResourceManager.GetString("Expr_InvalidHoursArgument", resourceCulture); } } - + /// /// Looks up a localized string similar to 'minutes' argument is out of range. Value must be between -59 and +59.. /// - internal static string Expr_InvalidMinutesArgument { - get { + internal static string Expr_InvalidMinutesArgument + { + get + { return ResourceManager.GetString("Expr_InvalidMinutesArgument", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid column name [{0}].. /// - internal static string Expr_InvalidName { - get { + internal static string Expr_InvalidName + { + get + { return ResourceManager.GetString("Expr_InvalidName", resourceCulture); } } - + /// /// Looks up a localized string similar to The expression contains invalid name: '{0}'.. /// - internal static string Expr_InvalidNameBracketing { - get { + internal static string Expr_InvalidNameBracketing + { + get + { return ResourceManager.GetString("Expr_InvalidNameBracketing", resourceCulture); } } - + /// /// Looks up a localized string similar to Error in Like operator: the string pattern '{0}' is invalid.. /// - internal static string Expr_InvalidPattern { - get { + internal static string Expr_InvalidPattern + { + get + { return ResourceManager.GetString("Expr_InvalidPattern", resourceCulture); } } - + /// /// Looks up a localized string similar to The expression contains an invalid string constant: {0}.. /// - internal static string Expr_InvalidString { - get { + internal static string Expr_InvalidString + { + get + { return ResourceManager.GetString("Expr_InvalidString", resourceCulture); } } - + /// /// Looks up a localized string similar to Provided range for time one exceeds total of 14 hours.. /// - internal static string Expr_InvalidTimeZoneRange { - get { + internal static string Expr_InvalidTimeZoneRange + { + get + { return ResourceManager.GetString("Expr_InvalidTimeZoneRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid type name '{0}'.. /// - internal static string Expr_InvalidType { - get { + internal static string Expr_InvalidType + { + get + { return ResourceManager.GetString("Expr_InvalidType", resourceCulture); } } - + /// /// Looks up a localized string similar to Need a row or a table to Invoke DataFilter.. /// - internal static string Expr_InvokeArgument { - get { + internal static string Expr_InvokeArgument + { + get + { return ResourceManager.GetString("Expr_InvokeArgument", resourceCulture); } } - + /// /// Looks up a localized string similar to Syntax error: The IN keyword must be followed by a non-empty list of expressions separated by commas, and also must be enclosed in parentheses.. /// - internal static string Expr_InWithoutList { - get { + internal static string Expr_InWithoutList + { + get + { return ResourceManager.GetString("Expr_InWithoutList", resourceCulture); } } - + /// /// Looks up a localized string similar to Syntax error: The items following the IN keyword must be separated by commas and be enclosed in parentheses.. /// - internal static string Expr_InWithoutParentheses { - get { + internal static string Expr_InWithoutParentheses + { + get + { return ResourceManager.GetString("Expr_InWithoutParentheses", resourceCulture); } } - + /// /// Looks up a localized string similar to Syntax error: Invalid usage of 'Is' operator. Correct syntax: <expression> Is [Not] Null.. /// - internal static string Expr_IsSyntax { - get { + internal static string Expr_IsSyntax + { + get + { return ResourceManager.GetString("Expr_IsSyntax", resourceCulture); } } - + /// /// Looks up a localized string similar to Syntax error in Lookup expression: Expecting keyword 'Parent' followed by a single column argument with possible relation qualifier: Parent[(<relation_name>)].<column_name>.. /// - internal static string Expr_LookupArgument { - get { + internal static string Expr_LookupArgument + { + get + { return ResourceManager.GetString("Expr_LookupArgument", resourceCulture); } } - + /// /// Looks up a localized string similar to Kind property of provided DateTime argument, does not match 'hours' and 'minutes' arguments.. /// - internal static string Expr_MismatchKindandTimeSpan { - get { + internal static string Expr_MismatchKindandTimeSpan + { + get + { return ResourceManager.GetString("Expr_MismatchKindandTimeSpan", resourceCulture); } } - + /// /// Looks up a localized string similar to Syntax error: Missing operand after '{0}' operator.. /// - internal static string Expr_MissingOperand { - get { + internal static string Expr_MissingOperand + { + get + { return ResourceManager.GetString("Expr_MissingOperand", resourceCulture); } } - + /// /// Looks up a localized string similar to Syntax error: Missing operand before '{0}' operator.. /// - internal static string Expr_MissingOperandBefore { - get { + internal static string Expr_MissingOperandBefore + { + get + { return ResourceManager.GetString("Expr_MissingOperandBefore", resourceCulture); } } - + /// /// Looks up a localized string similar to The expression is missing the closing parenthesis.. /// - internal static string Expr_MissingRightParen { - get { + internal static string Expr_MissingRightParen + { + get + { return ResourceManager.GetString("Expr_MissingRightParen", resourceCulture); } } - + /// /// Looks up a localized string similar to Only constant expressions are allowed in the expression list for the IN operator.. /// - internal static string Expr_NonConstantArgument { - get { + internal static string Expr_NonConstantArgument + { + get + { return ResourceManager.GetString("Expr_NonConstantArgument", resourceCulture); } } - + /// /// Looks up a localized string similar to The feature not implemented. {0}.. /// - internal static string Expr_NYI { - get { + internal static string Expr_NYI + { + get + { return ResourceManager.GetString("Expr_NYI", resourceCulture); } } - + /// /// Looks up a localized string similar to Value is either too large or too small for Type '{0}'.. /// - internal static string Expr_Overflow { - get { + internal static string Expr_Overflow + { + get + { return ResourceManager.GetString("Expr_Overflow", resourceCulture); } } - + /// /// Looks up a localized string similar to Syntax error in the expression.. /// - internal static string Expr_Syntax { - get { + internal static string Expr_Syntax + { + get + { return ResourceManager.GetString("Expr_Syntax", resourceCulture); } } - + /// /// Looks up a localized string similar to The expression has too many closing parentheses.. /// - internal static string Expr_TooManyRightParentheses { - get { + internal static string Expr_TooManyRightParentheses + { + get + { return ResourceManager.GetString("Expr_TooManyRightParentheses", resourceCulture); } } - + /// /// Looks up a localized string similar to Type mismatch in expression '{0}'.. /// - internal static string Expr_TypeMismatch { - get { + internal static string Expr_TypeMismatch + { + get + { return ResourceManager.GetString("Expr_TypeMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot perform '{0}' operation on {1} and {2}.. /// - internal static string Expr_TypeMismatchInBinop { - get { + internal static string Expr_TypeMismatchInBinop + { + get + { return ResourceManager.GetString("Expr_TypeMismatchInBinop", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot find column [{0}].. /// - internal static string Expr_UnboundName { - get { + internal static string Expr_UnboundName + { + get + { return ResourceManager.GetString("Expr_UnboundName", resourceCulture); } } - + /// /// Looks up a localized string similar to The expression contains undefined function call {0}().. /// - internal static string Expr_UndefinedFunction { - get { + internal static string Expr_UndefinedFunction + { + get + { return ResourceManager.GetString("Expr_UndefinedFunction", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot interpret token '{0}' at position {1}.. /// - internal static string Expr_UnknownToken { - get { + internal static string Expr_UnknownToken + { + get + { return ResourceManager.GetString("Expr_UnknownToken", resourceCulture); } } - + /// /// Looks up a localized string similar to Expected {0}, but actual token at the position {2} is {1}.. /// - internal static string Expr_UnknownToken1 { - get { + internal static string Expr_UnknownToken1 + { + get + { return ResourceManager.GetString("Expr_UnknownToken1", resourceCulture); } } - + /// /// Looks up a localized string similar to The table [{0}] involved in more than one relation. You must explicitly mention a relation name in the expression '{1}'.. /// - internal static string Expr_UnresolvedRelation { - get { + internal static string Expr_UnresolvedRelation + { + get + { return ResourceManager.GetString("Expr_UnresolvedRelation", resourceCulture); } } - + /// /// Looks up a localized string similar to The expression contains unsupported operator '{0}'.. /// - internal static string Expr_UnsupportedOperator { - get { + internal static string Expr_UnsupportedOperator + { + get + { return ResourceManager.GetString("Expr_UnsupportedOperator", resourceCulture); } } - + /// /// Looks up a localized string similar to A DataColumn of type '{0}' does not support expression.. /// - internal static string Expr_UnsupportedType { - get { + internal static string Expr_UnsupportedType + { + get + { return ResourceManager.GetString("Expr_UnsupportedType", resourceCulture); } } - + /// /// Looks up a localized string similar to The collection that holds custom user information.. /// - internal static string ExtendedPropertiesDescr { - get { + internal static string ExtendedPropertiesDescr + { + get + { return ResourceManager.GetString("ExtendedPropertiesDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to create enclave session as attestation server is busy.. /// - internal static string FailToCreateEnclaveSession { - get { + internal static string FailToCreateEnclaveSession + { + get + { return ResourceManager.GetString("FailToCreateEnclaveSession", resourceCulture); } } - + /// /// Looks up a localized string similar to The validation of an attestation information failed. The attestation information has an invalid format. Contact Customer Support Services. Error details: '{0}'.. /// - internal static string FailToParseAttestationInfo { - get { + internal static string FailToParseAttestationInfo + { + get + { return ResourceManager.GetString("FailToParseAttestationInfo", resourceCulture); } } - + /// /// Looks up a localized string similar to The validation of an attestation token failed. The token has an invalid format. Contact Customer Support Services. Error details: '{0}'.. /// - internal static string FailToParseAttestationToken { - get { + internal static string FailToParseAttestationToken + { + get + { return ResourceManager.GetString("FailToParseAttestationToken", resourceCulture); } } - + /// /// Looks up a localized string similar to For accept and reject changes, indicates what kind of cascading should take place across this relation.. /// - internal static string ForeignKeyConstraintAcceptRejectRuleDescr { - get { + internal static string ForeignKeyConstraintAcceptRejectRuleDescr + { + get + { return ResourceManager.GetString("ForeignKeyConstraintAcceptRejectRuleDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the child columns of this constraint.. /// - internal static string ForeignKeyConstraintChildColumnsDescr { - get { + internal static string ForeignKeyConstraintChildColumnsDescr + { + get + { return ResourceManager.GetString("ForeignKeyConstraintChildColumnsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to For deletions, indicates what kind of cascading should take place across this relation.. /// - internal static string ForeignKeyConstraintDeleteRuleDescr { - get { + internal static string ForeignKeyConstraintDeleteRuleDescr + { + get + { return ResourceManager.GetString("ForeignKeyConstraintDeleteRuleDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the parent columns of this constraint.. /// - internal static string ForeignKeyConstraintParentColumnsDescr { - get { + internal static string ForeignKeyConstraintParentColumnsDescr + { + get + { return ResourceManager.GetString("ForeignKeyConstraintParentColumnsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to For updates, indicates what kind of cascading should take place across this relation.. /// - internal static string ForeignKeyConstraintUpdateRuleDescr { - get { + internal static string ForeignKeyConstraintUpdateRuleDescr + { + get + { return ResourceManager.GetString("ForeignKeyConstraintUpdateRuleDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the child table of this constraint.. /// - internal static string ForeignKeyRelatedTableDescr { - get { + internal static string ForeignKeyRelatedTableDescr + { + get + { return ResourceManager.GetString("ForeignKeyRelatedTableDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to The attestation service returned an expired HGS root certificate for attestation URL '{0}'. Check the HGS root certificate configured for your HGS instance.. /// - internal static string GetAttestationSigningCertificateFailedInvalidCertificate { - get { + internal static string GetAttestationSigningCertificateFailedInvalidCertificate + { + get + { return ResourceManager.GetString("GetAttestationSigningCertificateFailedInvalidCertificate", resourceCulture); } } - + /// /// Looks up a localized string similar to The obtained HGS root certificate for attestation URL '{0}' has an invalid format. Verify the attestation URL is correct and the HGS server is online and fully initialized. For more information contact Customer Support Services. Error details: '{1}'.. /// - internal static string GetAttestationSigningCertificateRequestFailedFormat { - get { + internal static string GetAttestationSigningCertificateRequestFailedFormat + { + get + { return ResourceManager.GetString("GetAttestationSigningCertificateRequestFailedFormat", resourceCulture); } } - + /// /// Looks up a localized string similar to The validation of an attestation token failed. Cannot retrieve a public key from the attestation public key endpoint, or the retrieved key has an invalid format. Error details: '{0}'.. /// - internal static string GetAttestationTokenSigningKeysFailed { - get { + internal static string GetAttestationTokenSigningKeysFailed + { + get + { return ResourceManager.GetString("GetAttestationTokenSigningKeysFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Signature verification of the enclave's Diffie-Hellman key failed. Contact Customer Support Services.. /// - internal static string GetSharedSecretFailed { - get { + internal static string GetSharedSecretFailed + { + get + { return ResourceManager.GetString("GetSharedSecretFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Global Transactions are not enabled for this Azure SQL Database. Please contact Azure SQL Database support for assistance.. /// - internal static string GT_Disabled { - get { + internal static string GT_Disabled + { + get + { return ResourceManager.GetString("GT_Disabled", resourceCulture); } } - + /// /// Looks up a localized string similar to The currently loaded System.Transactions.dll does not support Global Transactions. Please upgrade to .NET Framework 4.6.1 or later.. /// - internal static string GT_UnsupportedSysTxVersion { - get { + internal static string GT_UnsupportedSysTxVersion + { + get + { return ResourceManager.GetString("GT_UnsupportedSysTxVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to There are no records in the SqlDataRecord enumeration. To send a table-valued parameter with no rows, use a null reference for the value instead.. /// - internal static string IEnumerableOfSqlDataRecordHasNoRows { - get { + internal static string IEnumerableOfSqlDataRecordHasNoRows + { + get + { return ResourceManager.GetString("IEnumerableOfSqlDataRecordHasNoRows", resourceCulture); } } - + /// /// Looks up a localized string similar to The validation of an attestation token failed due to an error while decoding the enclave public key obtained from SQL Server. Contact Customer Support Services.. /// - internal static string InvalidArgumentToBase64UrlDecoder { - get { + internal static string InvalidArgumentToBase64UrlDecoder + { + get + { return ResourceManager.GetString("InvalidArgumentToBase64UrlDecoder", resourceCulture); } } - + /// /// Looks up a localized string similar to The validation of an attestation token failed due to an error while computing a hash of the enclave public key obtained from SQL Server. Contact Customer Support Services.. /// - internal static string InvalidArgumentToSHA256 { - get { + internal static string InvalidArgumentToSHA256 + { + get + { return ResourceManager.GetString("InvalidArgumentToSHA256", resourceCulture); } } - + /// /// Looks up a localized string similar to The validation of the attestation token has failed during signature validation. Exception: '{0}'.. /// - internal static string InvalidAttestationToken { - get { + internal static string InvalidAttestationToken + { + get + { return ResourceManager.GetString("InvalidAttestationToken", resourceCulture); } } - + /// /// Looks up a localized string similar to The validation of an attestation token failed. Claim '{0}' in the token has an invalid value of '{1}'. Verify the attestation policy. If the policy is correct, contact Customer Support Services.. /// - internal static string InvalidClaimInAttestationToken { - get { + internal static string InvalidClaimInAttestationToken + { + get + { return ResourceManager.GetString("InvalidClaimInAttestationToken", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid column ordinals in schema table. ColumnOrdinals, if present, must not have duplicates or gaps.. /// - internal static string InvalidSchemaTableOrdinals { - get { + internal static string InvalidSchemaTableOrdinals + { + get + { return ResourceManager.GetString("InvalidSchemaTableOrdinals", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the columns of this constraint.. /// - internal static string KeyConstraintColumnsDescr { - get { + internal static string KeyConstraintColumnsDescr + { + get + { return ResourceManager.GetString("KeyConstraintColumnsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates if this constraint is a primary key.. /// - internal static string KeyConstraintIsPrimaryKeyDescr { - get { + internal static string KeyConstraintIsPrimaryKeyDescr + { + get + { return ResourceManager.GetString("KeyConstraintIsPrimaryKeyDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to ReadOnly Data is Modified.. /// - internal static string Load_ReadOnlyDataModified { - get { + internal static string Load_ReadOnlyDataModified + { + get + { return ResourceManager.GetString("Load_ReadOnlyDataModified", resourceCulture); } } - + /// /// Looks up a localized string similar to Local Database Runtime: system.data.localdb configuration file section is of unknown type.. /// - internal static string LocalDB_BadConfigSectionType { - get { + internal static string LocalDB_BadConfigSectionType + { + get + { return ResourceManager.GetString("LocalDB_BadConfigSectionType", resourceCulture); } } - + /// /// Looks up a localized string similar to Local Database Runtime: Cannot create named instance.. /// - internal static string LocalDB_CreateFailed { - get { + internal static string LocalDB_CreateFailed + { + get + { return ResourceManager.GetString("LocalDB_CreateFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Local Database Runtime: Cannot load SQLUserInstance.dll.. /// - internal static string LocalDB_FailedGetDLLHandle { - get { + internal static string LocalDB_FailedGetDLLHandle + { + get + { return ResourceManager.GetString("LocalDB_FailedGetDLLHandle", resourceCulture); } } - + /// /// Looks up a localized string similar to Local Database Runtime: Invalid instance version specification found in the configuration file.. /// - internal static string LocalDB_InvalidVersion { - get { + internal static string LocalDB_InvalidVersion + { + get + { return ResourceManager.GetString("LocalDB_InvalidVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid SQLUserInstance.dll found at the location specified in the registry. Verify that the Local Database Runtime feature of SQL Server Express is properly installed.. /// - internal static string LocalDB_MethodNotFound { - get { + internal static string LocalDB_MethodNotFound + { + get + { return ResourceManager.GetString("LocalDB_MethodNotFound", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot obtain Local Database Runtime error message. /// - internal static string LocalDB_UnobtainableMessage { - get { + internal static string LocalDB_UnobtainableMessage + { + get + { return ResourceManager.GetString("LocalDB_UnobtainableMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to The collection name '{0}' matches at least two collections with the same name but with different case, but does not match any of them exactly.. /// - internal static string MDF_AmbiguousCollectionName { - get { + internal static string MDF_AmbiguousCollectionName + { + get + { return ResourceManager.GetString("MDF_AmbiguousCollectionName", resourceCulture); } } - + /// /// Looks up a localized string similar to There are multiple collections named '{0}'.. /// - internal static string MDF_CollectionNameISNotUnique { - get { + internal static string MDF_CollectionNameISNotUnique + { + get + { return ResourceManager.GetString("MDF_CollectionNameISNotUnique", resourceCulture); } } - + /// /// Looks up a localized string similar to The collection '{0}' is missing from the metadata XML.. /// - internal static string MDF_DataTableDoesNotExist { - get { + internal static string MDF_DataTableDoesNotExist + { + get + { return ResourceManager.GetString("MDF_DataTableDoesNotExist", resourceCulture); } } - + /// /// Looks up a localized string similar to The DataSourceInformation table must contain exactly one row.. /// - internal static string MDF_IncorrectNumberOfDataSourceInformationRows { - get { + internal static string MDF_IncorrectNumberOfDataSourceInformationRows + { + get + { return ResourceManager.GetString("MDF_IncorrectNumberOfDataSourceInformationRows", resourceCulture); } } - + /// /// Looks up a localized string similar to '{2}' is not a valid value for the '{1}' restriction of the '{0}' schema collection.. /// - internal static string MDF_InvalidRestrictionValue { - get { + internal static string MDF_InvalidRestrictionValue + { + get + { return ResourceManager.GetString("MDF_InvalidRestrictionValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The metadata XML is invalid.. /// - internal static string MDF_InvalidXml { - get { + internal static string MDF_InvalidXml + { + get + { return ResourceManager.GetString("MDF_InvalidXml", resourceCulture); } } - + /// /// Looks up a localized string similar to The metadata XML is invalid. The {1} column of the {0} collection must contain a non-empty string.. /// - internal static string MDF_InvalidXmlInvalidValue { - get { + internal static string MDF_InvalidXmlInvalidValue + { + get + { return ResourceManager.GetString("MDF_InvalidXmlInvalidValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The metadata XML is invalid. The {0} collection must contain a {1} column and it must be a string column.. /// - internal static string MDF_InvalidXmlMissingColumn { - get { + internal static string MDF_InvalidXmlMissingColumn + { + get + { return ResourceManager.GetString("MDF_InvalidXmlMissingColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to One of the required DataSourceInformation tables columns is missing.. /// - internal static string MDF_MissingDataSourceInformationColumn { - get { + internal static string MDF_MissingDataSourceInformationColumn + { + get + { return ResourceManager.GetString("MDF_MissingDataSourceInformationColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to One or more of the required columns of the restrictions collection is missing.. /// - internal static string MDF_MissingRestrictionColumn { - get { + internal static string MDF_MissingRestrictionColumn + { + get + { return ResourceManager.GetString("MDF_MissingRestrictionColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to A restriction exists for which there is no matching row in the restrictions collection.. /// - internal static string MDF_MissingRestrictionRow { - get { + internal static string MDF_MissingRestrictionRow + { + get + { return ResourceManager.GetString("MDF_MissingRestrictionRow", resourceCulture); } } - + /// /// Looks up a localized string similar to The schema table contains no columns.. /// - internal static string MDF_NoColumns { - get { + internal static string MDF_NoColumns + { + get + { return ResourceManager.GetString("MDF_NoColumns", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to build the '{0}' collection because execution of the SQL query failed. See the inner exception for details.. /// - internal static string MDF_QueryFailed { - get { + internal static string MDF_QueryFailed + { + get + { return ResourceManager.GetString("MDF_QueryFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to More restrictions were provided than the requested schema ('{0}') supports.. /// - internal static string MDF_TooManyRestrictions { - get { + internal static string MDF_TooManyRestrictions + { + get + { return ResourceManager.GetString("MDF_TooManyRestrictions", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to build schema collection '{0}';. /// - internal static string MDF_UnableToBuildCollection { - get { + internal static string MDF_UnableToBuildCollection + { + get + { return ResourceManager.GetString("MDF_UnableToBuildCollection", resourceCulture); } } - + /// /// Looks up a localized string similar to The requested collection ({0}) is not defined.. /// - internal static string MDF_UndefinedCollection { - get { + internal static string MDF_UndefinedCollection + { + get + { return ResourceManager.GetString("MDF_UndefinedCollection", resourceCulture); } } - + /// /// Looks up a localized string similar to The population mechanism '{0}' is not defined.. /// - internal static string MDF_UndefinedPopulationMechanism { - get { + internal static string MDF_UndefinedPopulationMechanism + { + get + { return ResourceManager.GetString("MDF_UndefinedPopulationMechanism", resourceCulture); } } - + /// /// Looks up a localized string similar to The requested collection ({0}) is not supported by this version of the provider.. /// - internal static string MDF_UnsupportedVersion { - get { + internal static string MDF_UnsupportedVersion + { + get + { return ResourceManager.GetString("MDF_UnsupportedVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlDbType.Structured type is only supported for multiple valued types.. /// - internal static string MetaType_SingleValuedStructNotSupported { - get { + internal static string MetaType_SingleValuedStructNotSupported + { + get + { return ResourceManager.GetString("MetaType_SingleValuedStructNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to The validation of the attestation token failed. Claim '{0}' is missing in the token. Verify the attestation policy. If the policy is correct, contact Customer Support Services.. /// - internal static string MissingClaimInAttestationToken { - get { + internal static string MissingClaimInAttestationToken + { + get + { return ResourceManager.GetString("MissingClaimInAttestationToken", resourceCulture); } } - + /// /// Looks up a localized string similar to Simple type '{0}' has already be declared with different '{1}'.. /// - internal static string NamedSimpleType_InvalidDuplicateNamedSimpleTypeDelaration { - get { + internal static string NamedSimpleType_InvalidDuplicateNamedSimpleTypeDelaration + { + get + { return ResourceManager.GetString("NamedSimpleType_InvalidDuplicateNamedSimpleTypeDelaration", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified value is not valid in the '{0}' enumeration.. /// - internal static string net_invalid_enum { - get { + internal static string net_invalid_enum + { + get + { return ResourceManager.GetString("net_invalid_enum", resourceCulture); } } - + /// /// Looks up a localized string similar to DateType column for field '{0}' in schema table is null. DataType must be non-null.. /// - internal static string NullSchemaTableDataTypeNotSupported { - get { + internal static string NullSchemaTableDataTypeNotSupported + { + get + { return ResourceManager.GetString("NullSchemaTableDataTypeNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} - unable to allocate an environment handle.. /// - internal static string Odbc_CantAllocateEnvironmentHandle { - get { + internal static string Odbc_CantAllocateEnvironmentHandle + { + get + { return ResourceManager.GetString("Odbc_CantAllocateEnvironmentHandle", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} - unable to enable connection pooling.... /// - internal static string Odbc_CantEnableConnectionpooling { - get { + internal static string Odbc_CantEnableConnectionpooling + { + get + { return ResourceManager.GetString("Odbc_CantEnableConnectionpooling", resourceCulture); } } - + /// /// Looks up a localized string similar to Can't set property on an open connection.. /// - internal static string Odbc_CantSetPropertyOnOpenConnection { - get { + internal static string Odbc_CantSetPropertyOnOpenConnection + { + get + { return ResourceManager.GetString("Odbc_CantSetPropertyOnOpenConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection is closed.. /// - internal static string Odbc_ConnectionClosed { - get { + internal static string Odbc_ConnectionClosed + { + get + { return ResourceManager.GetString("Odbc_ConnectionClosed", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} [{1}] {2}. /// - internal static string Odbc_ExceptionMessage { - get { + internal static string Odbc_ExceptionMessage + { + get + { return ResourceManager.GetString("Odbc_ExceptionMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} - no error information available. /// - internal static string Odbc_ExceptionNoInfoMsg { - get { + internal static string Odbc_ExceptionNoInfoMsg + { + get + { return ResourceManager.GetString("Odbc_ExceptionNoInfoMsg", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} - unable to get descriptor handle.. /// - internal static string Odbc_FailedToGetDescriptorHandle { - get { + internal static string Odbc_FailedToGetDescriptorHandle + { + get + { return ResourceManager.GetString("Odbc_FailedToGetDescriptorHandle", resourceCulture); } } - + /// /// Looks up a localized string similar to "The ODBC managed provider requires that the TABLE_NAME restriction be specified and non-null for the GetSchema indexes collection.. /// - internal static string ODBC_GetSchemaRestrictionRequired { - get { + internal static string ODBC_GetSchemaRestrictionRequired + { + get + { return ResourceManager.GetString("ODBC_GetSchemaRestrictionRequired", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} - unable to map type.. /// - internal static string Odbc_GetTypeMapping_UnknownType { - get { + internal static string Odbc_GetTypeMapping_UnknownType + { + get + { return ResourceManager.GetString("Odbc_GetTypeMapping_UnknownType", resourceCulture); } } - + /// /// Looks up a localized string similar to The .NET Framework Odbc Data Provider requires Microsoft Data Access Components(MDAC) version 2.6 or later. Version {0} was found currently installed.. /// - internal static string Odbc_MDACWrongVersion { - get { + internal static string Odbc_MDACWrongVersion + { + get + { return ResourceManager.GetString("Odbc_MDACWrongVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid negative argument!. /// - internal static string Odbc_NegativeArgument { - get { + internal static string Odbc_NegativeArgument + { + get + { return ResourceManager.GetString("Odbc_NegativeArgument", resourceCulture); } } - + /// /// Looks up a localized string similar to No valid mapping for a SQL_TRANSACTION '{0}' to a System.Data.IsolationLevel enumeration value.. /// - internal static string Odbc_NoMappingForSqlTransactionLevel { - get { + internal static string Odbc_NoMappingForSqlTransactionLevel + { + get + { return ResourceManager.GetString("Odbc_NoMappingForSqlTransactionLevel", resourceCulture); } } - + /// /// Looks up a localized string similar to Not in a transaction. /// - internal static string Odbc_NotInTransaction { - get { + internal static string Odbc_NotInTransaction + { + get + { return ResourceManager.GetString("Odbc_NotInTransaction", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} enumeration value, {1}, is not supported by the .NET Framework Odbc Data Provider.. /// - internal static string ODBC_NotSupportedEnumerationValue { - get { + internal static string ODBC_NotSupportedEnumerationValue + { + get + { return ResourceManager.GetString("ODBC_NotSupportedEnumerationValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Use IsDBNull when DBNull.Value data is expected.. /// - internal static string Odbc_NullData { - get { + internal static string Odbc_NullData + { + get + { return ResourceManager.GetString("Odbc_NullData", resourceCulture); } } - + /// /// Looks up a localized string similar to OdbcCommandBuilder.DeriveParameters failed because the OdbcCommand.CommandText property value is an invalid multipart name. /// - internal static string ODBC_ODBCCommandText { - get { + internal static string ODBC_ODBCCommandText + { + get + { return ResourceManager.GetString("ODBC_ODBCCommandText", resourceCulture); } } - + /// /// Looks up a localized string similar to An internal connection does not have an owner.. /// - internal static string Odbc_OpenConnectionNoOwner { - get { + internal static string Odbc_OpenConnectionNoOwner + { + get + { return ResourceManager.GetString("Odbc_OpenConnectionNoOwner", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid OdbcType enumeration value={0}.. /// - internal static string Odbc_UnknownOdbcType { - get { + internal static string Odbc_UnknownOdbcType + { + get + { return ResourceManager.GetString("Odbc_UnknownOdbcType", resourceCulture); } } - + /// /// Looks up a localized string similar to Unknown SQL type - {0}.. /// - internal static string Odbc_UnknownSQLType { - get { + internal static string Odbc_UnknownSQLType + { + get + { return ResourceManager.GetString("Odbc_UnknownSQLType", resourceCulture); } } - + /// /// Looks up a localized string similar to Unknown URT type - {0}.. /// - internal static string Odbc_UnknownURTType { - get { + internal static string Odbc_UnknownURTType + { + get + { return ResourceManager.GetString("Odbc_UnknownURTType", resourceCulture); } } - + /// /// Looks up a localized string similar to The DataAdapter for which to automatically generate OdbcCommands. /// - internal static string OdbcCommandBuilder_DataAdapter { - get { + internal static string OdbcCommandBuilder_DataAdapter + { + get + { return ResourceManager.GetString("OdbcCommandBuilder_DataAdapter", resourceCulture); } } - + /// /// Looks up a localized string similar to The character used in a text command as the opening quote for quoting identifiers that contain special characters.. /// - internal static string OdbcCommandBuilder_QuotePrefix { - get { + internal static string OdbcCommandBuilder_QuotePrefix + { + get + { return ResourceManager.GetString("OdbcCommandBuilder_QuotePrefix", resourceCulture); } } - + /// /// Looks up a localized string similar to The character used in a text command as the closing quote for quoting identifiers that contain special characters.. /// - internal static string OdbcCommandBuilder_QuoteSuffix { - get { + internal static string OdbcCommandBuilder_QuoteSuffix + { + get + { return ResourceManager.GetString("OdbcCommandBuilder_QuoteSuffix", resourceCulture); } } - + /// /// Looks up a localized string similar to Information used to connect to a Data Source.. /// - internal static string OdbcConnection_ConnectionString { - get { + internal static string OdbcConnection_ConnectionString + { + get + { return ResourceManager.GetString("OdbcConnection_ConnectionString", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection string exceeds maximum allowed length of {0}.. /// - internal static string OdbcConnection_ConnectionStringTooLong { - get { + internal static string OdbcConnection_ConnectionStringTooLong + { + get + { return ResourceManager.GetString("OdbcConnection_ConnectionStringTooLong", resourceCulture); } } - + /// /// Looks up a localized string similar to Current connection timeout value, not settable in the ConnectionString.. /// - internal static string OdbcConnection_ConnectionTimeout { - get { + internal static string OdbcConnection_ConnectionTimeout + { + get + { return ResourceManager.GetString("OdbcConnection_ConnectionTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to Current data source catalog value, 'Database=X' in the connection string.. /// - internal static string OdbcConnection_Database { - get { + internal static string OdbcConnection_Database + { + get + { return ResourceManager.GetString("OdbcConnection_Database", resourceCulture); } } - + /// /// Looks up a localized string similar to Current data source, 'Server=X' in the connection string.. /// - internal static string OdbcConnection_DataSource { - get { + internal static string OdbcConnection_DataSource + { + get + { return ResourceManager.GetString("OdbcConnection_DataSource", resourceCulture); } } - + /// /// Looks up a localized string similar to Current ODBC driver.. /// - internal static string OdbcConnection_Driver { - get { + internal static string OdbcConnection_Driver + { + get + { return ResourceManager.GetString("OdbcConnection_Driver", resourceCulture); } } - + /// /// Looks up a localized string similar to Version of the product accessed by the ODBC Driver.. /// - internal static string OdbcConnection_ServerVersion { - get { + internal static string OdbcConnection_ServerVersion + { + get + { return ResourceManager.GetString("OdbcConnection_ServerVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to The parameter native type.. /// - internal static string OdbcParameter_OdbcType { - get { + internal static string OdbcParameter_OdbcType + { + get + { return ResourceManager.GetString("OdbcParameter_OdbcType", resourceCulture); } } - + /// /// Looks up a localized string similar to 'Asynchronous Processing' is not a supported feature of the .NET Framework Data OLE DB Provider(Microsoft.Data.OleDb).. /// - internal static string OleDb_AsynchronousNotSupported { - get { + internal static string OleDb_AsynchronousNotSupported + { + get + { return ResourceManager.GetString("OleDb_AsynchronousNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Accessor validation was deferred and was performed while the method returned data. The binding was invalid for this column or parameter.. /// - internal static string OleDb_BadAccessor { - get { + internal static string OleDb_BadAccessor + { + get + { return ResourceManager.GetString("OleDb_BadAccessor", resourceCulture); } } - + /// /// Looks up a localized string similar to Microsoft.Data.OleDb.OleDbDataAdapter internal error: invalid parameter accessor: {0} {1}.. /// - internal static string OleDb_BadStatus_ParamAcc { - get { + internal static string OleDb_BadStatus_ParamAcc + { + get + { return ResourceManager.GetString("OleDb_BadStatus_ParamAcc", resourceCulture); } } - + /// /// Looks up a localized string similar to OleDbDataAdapter internal error: invalid row set accessor: Ordinal={0} Status={1}.. /// - internal static string OleDb_BadStatusRowAccessor { - get { + internal static string OleDb_BadStatusRowAccessor + { + get + { return ResourceManager.GetString("OleDb_BadStatusRowAccessor", resourceCulture); } } - + /// /// Looks up a localized string similar to Can not determine the server's decimal separator. Non-integer numeric literals can not be created.. /// - internal static string OleDb_CanNotDetermineDecimalSeparator { - get { + internal static string OleDb_CanNotDetermineDecimalSeparator + { + get + { return ResourceManager.GetString("OleDb_CanNotDetermineDecimalSeparator", resourceCulture); } } - + /// /// Looks up a localized string similar to The data value could not be converted for reasons other than sign mismatch or data overflow. For example, the data was corrupted in the data store but the row was still retrievable.. /// - internal static string OleDb_CantConvertValue { - get { + internal static string OleDb_CantConvertValue + { + get + { return ResourceManager.GetString("OleDb_CantConvertValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The provider could not allocate memory in which to return {0} data.. /// - internal static string OleDb_CantCreate { - get { + internal static string OleDb_CantCreate + { + get + { return ResourceManager.GetString("OleDb_CantCreate", resourceCulture); } } - + /// /// Looks up a localized string similar to Command parameter[{0}] '{1}' is invalid.. /// - internal static string OleDb_CommandParameterBadAccessor { - get { + internal static string OleDb_CommandParameterBadAccessor + { + get + { return ResourceManager.GetString("OleDb_CommandParameterBadAccessor", resourceCulture); } } - + /// /// Looks up a localized string similar to Command parameter[{0}] '{1}' data value could not be converted for reasons other than sign mismatch or data overflow.. /// - internal static string OleDb_CommandParameterCantConvertValue { - get { + internal static string OleDb_CommandParameterCantConvertValue + { + get + { return ResourceManager.GetString("OleDb_CommandParameterCantConvertValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Conversion failed for command parameter[{0}] '{1}' because the data value overflowed the type used by the provider.. /// - internal static string OleDb_CommandParameterDataOverflow { - get { + internal static string OleDb_CommandParameterDataOverflow + { + get + { return ResourceManager.GetString("OleDb_CommandParameterDataOverflow", resourceCulture); } } - + /// /// Looks up a localized string similar to Parameter[{0}] '{1}' has no default value.. /// - internal static string OleDb_CommandParameterDefault { - get { + internal static string OleDb_CommandParameterDefault + { + get + { return ResourceManager.GetString("OleDb_CommandParameterDefault", resourceCulture); } } - + /// /// Looks up a localized string similar to Error occurred with parameter[{0}]: {1}.. /// - internal static string OleDb_CommandParameterError { - get { + internal static string OleDb_CommandParameterError + { + get + { return ResourceManager.GetString("OleDb_CommandParameterError", resourceCulture); } } - + /// /// Looks up a localized string similar to Conversion failed for command parameter[{0}] '{1}' because the data value was signed and the type used by the provider was unsigned.. /// - internal static string OleDb_CommandParameterSignMismatch { - get { + internal static string OleDb_CommandParameterSignMismatch + { + get + { return ResourceManager.GetString("OleDb_CommandParameterSignMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Provider encountered an error while sending command parameter[{0}] '{1}' value and stopped processing.. /// - internal static string OleDb_CommandParameterUnavailable { - get { + internal static string OleDb_CommandParameterUnavailable + { + get + { return ResourceManager.GetString("OleDb_CommandParameterUnavailable", resourceCulture); } } - + /// /// Looks up a localized string similar to The ICommandText interface is not supported by the '{0}' provider. Use CommandType.TableDirect instead.. /// - internal static string OleDb_CommandTextNotSupported { - get { + internal static string OleDb_CommandTextNotSupported + { + get + { return ResourceManager.GetString("OleDb_CommandTextNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to load the XML file specified in configuration setting '{0}'.. /// - internal static string OleDb_ConfigUnableToLoadXmlMetaDataFile { - get { + internal static string OleDb_ConfigUnableToLoadXmlMetaDataFile + { + get + { return ResourceManager.GetString("OleDb_ConfigUnableToLoadXmlMetaDataFile", resourceCulture); } } - + /// /// Looks up a localized string similar to The '{0}' configuration setting has the wrong number of values.. /// - internal static string OleDb_ConfigWrongNumberOfValues { - get { + internal static string OleDb_ConfigWrongNumberOfValues + { + get + { return ResourceManager.GetString("OleDb_ConfigWrongNumberOfValues", resourceCulture); } } - + /// /// Looks up a localized string similar to Format of the initialization string does not conform to the OLE DB specification. Starting around char[{0}] in the connection string.. /// - internal static string OleDb_ConnectionStringSyntax { - get { + internal static string OleDb_ConnectionStringSyntax + { + get + { return ResourceManager.GetString("OleDb_ConnectionStringSyntax", resourceCulture); } } - + /// /// Looks up a localized string similar to Conversion failed because the {0} data value overflowed the type specified for the {0} value part in the consumer's buffer.. /// - internal static string OleDb_DataOverflow { - get { + internal static string OleDb_DataOverflow + { + get + { return ResourceManager.GetString("OleDb_DataOverflow", resourceCulture); } } - + /// /// Looks up a localized string similar to DBTYPE_VECTOR data is not supported by the .NET Framework Data OLE DB Provider(Microsoft.Data.OleDb).. /// - internal static string OleDb_DBBindingGetVector { - get { + internal static string OleDb_DBBindingGetVector + { + get + { return ResourceManager.GetString("OleDb_DBBindingGetVector", resourceCulture); } } - + /// /// Looks up a localized string similar to IErrorInfo.GetDescription failed with {0}.. /// - internal static string OleDb_FailedGetDescription { - get { + internal static string OleDb_FailedGetDescription + { + get + { return ResourceManager.GetString("OleDb_FailedGetDescription", resourceCulture); } } - + /// /// Looks up a localized string similar to IErrorInfo.GetSource failed with {0}.. /// - internal static string OleDb_FailedGetSource { - get { + internal static string OleDb_FailedGetSource + { + get + { return ResourceManager.GetString("OleDb_FailedGetSource", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to retrieve the IRow interface from the ADODB.Record object.. /// - internal static string OleDb_Fill_EmptyRecord { - get { + internal static string OleDb_Fill_EmptyRecord + { + get + { return ResourceManager.GetString("OleDb_Fill_EmptyRecord", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to retrieve the '{0}' interface from the ADODB.RecordSet object.. /// - internal static string OleDb_Fill_EmptyRecordSet { - get { + internal static string OleDb_Fill_EmptyRecordSet + { + get + { return ResourceManager.GetString("OleDb_Fill_EmptyRecordSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Object is not an ADODB.RecordSet or an ADODB.Record.. /// - internal static string OleDb_Fill_NotADODB { - get { + internal static string OleDb_Fill_NotADODB + { + get + { return ResourceManager.GetString("OleDb_Fill_NotADODB", resourceCulture); } } - + /// /// Looks up a localized string similar to OleDbDataAdapter internal error: [get] Unknown OLE DB data type: 0x{0} ({1}).. /// - internal static string OleDb_GVtUnknown { - get { + internal static string OleDb_GVtUnknown + { + get + { return ResourceManager.GetString("OleDb_GVtUnknown", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot construct the ReservedWords schema collection because the provider does not support IDBInfo.. /// - internal static string OleDb_IDBInfoNotSupported { - get { + internal static string OleDb_IDBInfoNotSupported + { + get + { return ResourceManager.GetString("OleDb_IDBInfoNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to The OLE DB Provider specified in the ConnectionString is too long.. /// - internal static string OleDb_InvalidProviderSpecified { - get { + internal static string OleDb_InvalidProviderSpecified + { + get + { return ResourceManager.GetString("OleDb_InvalidProviderSpecified", resourceCulture); } } - + /// /// Looks up a localized string similar to No restrictions are expected for the DbInfoKeywords OleDbSchemaGuid.. /// - internal static string OleDb_InvalidRestrictionsDbInfoKeywords { - get { + internal static string OleDb_InvalidRestrictionsDbInfoKeywords + { + get + { return ResourceManager.GetString("OleDb_InvalidRestrictionsDbInfoKeywords", resourceCulture); } } - + /// /// Looks up a localized string similar to No restrictions are expected for the DbInfoLiterals OleDbSchemaGuid.. /// - internal static string OleDb_InvalidRestrictionsDbInfoLiteral { - get { + internal static string OleDb_InvalidRestrictionsDbInfoLiteral + { + get + { return ResourceManager.GetString("OleDb_InvalidRestrictionsDbInfoLiteral", resourceCulture); } } - + /// /// Looks up a localized string similar to No restrictions are expected for the schema guid OleDbSchemaGuid.. /// - internal static string OleDb_InvalidRestrictionsSchemaGuids { - get { + internal static string OleDb_InvalidRestrictionsSchemaGuids + { + get + { return ResourceManager.GetString("OleDb_InvalidRestrictionsSchemaGuids", resourceCulture); } } - + /// /// Looks up a localized string similar to Type does not support the OLE DB interface ISourcesRowset. /// - internal static string OleDb_ISourcesRowsetNotSupported { - get { + internal static string OleDb_ISourcesRowsetNotSupported + { + get + { return ResourceManager.GetString("OleDb_ISourcesRowsetNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to The .NET Framework Data Providers require Microsoft Data Access Components(MDAC). Please install Microsoft Data Access Components(MDAC) version 2.6 or later.. /// - internal static string OleDb_MDACNotAvailable { - get { + internal static string OleDb_MDACNotAvailable + { + get + { return ResourceManager.GetString("OleDb_MDACNotAvailable", resourceCulture); } } - + /// /// Looks up a localized string similar to The .NET Framework OleDb Data Provider requires Microsoft Data Access Components(MDAC) version 2.6 or later. Version {0} was found currently installed.. /// - internal static string OleDb_MDACWrongVersion { - get { + internal static string OleDb_MDACWrongVersion + { + get + { return ResourceManager.GetString("OleDb_MDACWrongVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to The .NET Framework Data Provider for OLEDB (Microsoft.Data.OleDb) does not support the Microsoft OLE DB Provider for ODBC Drivers (MSDASQL). Use the .NET Framework Data Provider for ODBC (System.Data.Odbc).. /// - internal static string OleDb_MSDASQLNotSupported { - get { + internal static string OleDb_MSDASQLNotSupported + { + get + { return ResourceManager.GetString("OleDb_MSDASQLNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to No error message available, result code: {0}.. /// - internal static string OleDb_NoErrorInformation { - get { + internal static string OleDb_NoErrorInformation + { + get + { return ResourceManager.GetString("OleDb_NoErrorInformation", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}' failed with no error message available, result code: {1}.. /// - internal static string OleDb_NoErrorInformation2 { - get { + internal static string OleDb_NoErrorInformation2 + { + get + { return ResourceManager.GetString("OleDb_NoErrorInformation2", resourceCulture); } } - + /// /// Looks up a localized string similar to Unspecified error: {0}. /// - internal static string OleDb_NoErrorMessage { - get { + internal static string OleDb_NoErrorMessage + { + get + { return ResourceManager.GetString("OleDb_NoErrorMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to An OLE DB Provider was not specified in the ConnectionString. An example would be, 'Provider=SQLOLEDB;'.. /// - internal static string OleDb_NoProviderSpecified { - get { + internal static string OleDb_NoProviderSpecified + { + get + { return ResourceManager.GetString("OleDb_NoProviderSpecified", resourceCulture); } } - + /// /// Looks up a localized string similar to The ICommandWithParameters interface is not supported by the '{0}' provider. Command parameters are unsupported with the current provider.. /// - internal static string OleDb_NoProviderSupportForParameters { - get { + internal static string OleDb_NoProviderSupportForParameters + { + get + { return ResourceManager.GetString("OleDb_NoProviderSupportForParameters", resourceCulture); } } - + /// /// Looks up a localized string similar to Retrieving procedure parameter information is not supported by the '{0}' provider.. /// - internal static string OleDb_NoProviderSupportForSProcResetParameters { - get { + internal static string OleDb_NoProviderSupportForSProcResetParameters + { + get + { return ResourceManager.GetString("OleDb_NoProviderSupportForSProcResetParameters", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} enumeration value, {1}, is not supported by the .NET Framework OleDb Data Provider.. /// - internal static string OLEDB_NotSupportedEnumerationValue { - get { + internal static string OLEDB_NotSupportedEnumerationValue + { + get + { return ResourceManager.GetString("OLEDB_NotSupportedEnumerationValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} OleDbSchemaGuid is not a supported schema by the '{1}' provider.. /// - internal static string OleDb_NotSupportedSchemaTable { - get { + internal static string OleDb_NotSupportedSchemaTable + { + get + { return ResourceManager.GetString("OleDb_NotSupportedSchemaTable", resourceCulture); } } - + /// /// Looks up a localized string similar to OleDbCommandBuilder.DeriveParameters failed because the OleDbCommandBuilder.CommandText property value is an invalid multipart name. /// - internal static string OLEDB_OLEDBCommandText { - get { + internal static string OLEDB_OLEDBCommandText + { + get + { return ResourceManager.GetString("OLEDB_OLEDBCommandText", resourceCulture); } } - + /// /// Looks up a localized string similar to The .NET Framework Data Provider for OLEDB will not allow the OLE DB Provider to prompt the user in a non-interactive environment.. /// - internal static string OleDb_PossiblePromptNotUserInteractive { - get { + internal static string OleDb_PossiblePromptNotUserInteractive + { + get + { return ResourceManager.GetString("OleDb_PossiblePromptNotUserInteractive", resourceCulture); } } - + /// /// Looks up a localized string similar to The ColumnID element was invalid.. /// - internal static string OleDb_PropertyBadColumn { - get { + internal static string OleDb_PropertyBadColumn + { + get + { return ResourceManager.GetString("OleDb_PropertyBadColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to The value of Options was invalid.. /// - internal static string OleDb_PropertyBadOption { - get { + internal static string OleDb_PropertyBadOption + { + get + { return ResourceManager.GetString("OleDb_PropertyBadOption", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to initialize the '{0}' property for one of the following reasons: /// The value data type was not the data type of the property or was not null. For example, the property was DBPROP_MEMORYUSAGE, which has a data type of Int32, and the data type was Int64. /// The value was not a valid value. For example, the property was DBPROP_MEMORYUSAGE and the value was negative. /// The value was a valid value for the property and the provider supports the property as a settable property, but the provider does not su [rest of string was truncated]";. /// - internal static string OleDb_PropertyBadValue { - get { + internal static string OleDb_PropertyBadValue + { + get + { return ResourceManager.GetString("OleDb_PropertyBadValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The '{0}'property's value was not set because doing so would have conflicted with an existing property.. /// - internal static string OleDb_PropertyConflicting { - get { + internal static string OleDb_PropertyConflicting + { + get + { return ResourceManager.GetString("OleDb_PropertyConflicting", resourceCulture); } } - + /// /// Looks up a localized string similar to A '{0}' property was specified to be applied to all columns but could not be applied to one or more of them.. /// - internal static string OleDb_PropertyNotAllSettable { - get { + internal static string OleDb_PropertyNotAllSettable + { + get + { return ResourceManager.GetString("OleDb_PropertyNotAllSettable", resourceCulture); } } - + /// /// Looks up a localized string similar to (Reserved).. /// - internal static string OleDb_PropertyNotAvailable { - get { + internal static string OleDb_PropertyNotAvailable + { + get + { return ResourceManager.GetString("OleDb_PropertyNotAvailable", resourceCulture); } } - + /// /// Looks up a localized string similar to The optional '{0}' property's value was not set to the specified value and setting the property to the specified value was not possible.. /// - internal static string OleDb_PropertyNotSet { - get { + internal static string OleDb_PropertyNotSet + { + get + { return ResourceManager.GetString("OleDb_PropertyNotSet", resourceCulture); } } - + /// /// Looks up a localized string similar to The '{0}' property was read-only, or the consumer attempted to set values of properties in the Initialization property group after the data source object was initialized. Consumers can set the value of a read-only property to its current value. This status is also returned if a settable column property could not be set for the particular column.. /// - internal static string OleDb_PropertyNotSettable { - get { + internal static string OleDb_PropertyNotSettable + { + get + { return ResourceManager.GetString("OleDb_PropertyNotSettable", resourceCulture); } } - + /// /// Looks up a localized string similar to The property's value was not set because the provider did not support the '{0}' property, or the consumer attempted to get or set values of properties not in the Initialization property group and the data source object is uninitialized.. /// - internal static string OleDb_PropertyNotSupported { - get { + internal static string OleDb_PropertyNotSupported + { + get + { return ResourceManager.GetString("OleDb_PropertyNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to The provider returned an unknown DBPROPSTATUS_ value '{0}'.. /// - internal static string OleDb_PropertyStatusUnknown { - get { + internal static string OleDb_PropertyStatusUnknown + { + get + { return ResourceManager.GetString("OleDb_PropertyStatusUnknown", resourceCulture); } } - + /// /// Looks up a localized string similar to The '{0}' provider is not registered on the local machine.. /// - internal static string OleDb_ProviderUnavailable { - get { + internal static string OleDb_ProviderUnavailable + { + get + { return ResourceManager.GetString("OleDb_ProviderUnavailable", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}' interface is not supported by the '{1}' provider. GetOleDbSchemaTable is unavailable with the current provider.. /// - internal static string OleDb_SchemaRowsetsNotSupported { - get { + internal static string OleDb_SchemaRowsetsNotSupported + { + get + { return ResourceManager.GetString("OleDb_SchemaRowsetsNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Conversion failed because the {0} data value was signed and the type specified for the {0} value part in the consumer's buffer was unsigned.. /// - internal static string OleDb_SignMismatch { - get { + internal static string OleDb_SignMismatch + { + get + { return ResourceManager.GetString("OleDb_SignMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to OleDbDataAdapter internal error: [set] Unknown OLE DB data type: 0x{0} ({1}).. /// - internal static string OleDb_SVtUnknown { - get { + internal static string OleDb_SVtUnknown + { + get + { return ResourceManager.GetString("OleDb_SVtUnknown", resourceCulture); } } - + /// /// Looks up a localized string similar to The OleDbDataReader.Read must be used from the same thread on which is was created if that thread's ApartmentState was not ApartmentState.MTA.. /// - internal static string OleDb_ThreadApartmentState { - get { + internal static string OleDb_ThreadApartmentState + { + get + { return ResourceManager.GetString("OleDb_ThreadApartmentState", resourceCulture); } } - + /// /// Looks up a localized string similar to The ITransactionLocal interface is not supported by the '{0}' provider. Local transactions are unavailable with the current provider.. /// - internal static string OleDb_TransactionsNotSupported { - get { + internal static string OleDb_TransactionsNotSupported + { + get + { return ResourceManager.GetString("OleDb_TransactionsNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to The provider could not determine the {0} value. For example, the row was just created, the default for the {0} column was not available, and the consumer had not yet set a new {0} value.. /// - internal static string OleDb_Unavailable { - get { + internal static string OleDb_Unavailable + { + get + { return ResourceManager.GetString("OleDb_Unavailable", resourceCulture); } } - + /// /// Looks up a localized string similar to OLE DB Provider returned an unexpected status value of {0}.. /// - internal static string OleDb_UnexpectedStatusValue { - get { + internal static string OleDb_UnexpectedStatusValue + { + get + { return ResourceManager.GetString("OleDb_UnexpectedStatusValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Parameter[{0}]: the OleDbType property is uninitialized: OleDbType.{1}.. /// - internal static string OleDb_UninitializedParameters { - get { + internal static string OleDb_UninitializedParameters + { + get + { return ResourceManager.GetString("OleDb_UninitializedParameters", resourceCulture); } } - + /// /// Looks up a localized string similar to The DataAdapter for which to automatically generate OleDbCommands. /// - internal static string OleDbCommandBuilder_DataAdapter { - get { + internal static string OleDbCommandBuilder_DataAdapter + { + get + { return ResourceManager.GetString("OleDbCommandBuilder_DataAdapter", resourceCulture); } } - + /// /// Looks up a localized string similar to The decimal separator used in numeric literals.. /// - internal static string OleDbCommandBuilder_DecimalSeparator { - get { + internal static string OleDbCommandBuilder_DecimalSeparator + { + get + { return ResourceManager.GetString("OleDbCommandBuilder_DecimalSeparator", resourceCulture); } } - + /// /// Looks up a localized string similar to The prefix string wrapped around sql objects. /// - internal static string OleDbCommandBuilder_QuotePrefix { - get { + internal static string OleDbCommandBuilder_QuotePrefix + { + get + { return ResourceManager.GetString("OleDbCommandBuilder_QuotePrefix", resourceCulture); } } - + /// /// Looks up a localized string similar to The suffix string wrapped around sql objects. /// - internal static string OleDbCommandBuilder_QuoteSuffix { - get { + internal static string OleDbCommandBuilder_QuoteSuffix + { + get + { return ResourceManager.GetString("OleDbCommandBuilder_QuoteSuffix", resourceCulture); } } - + /// /// Looks up a localized string similar to Information used to connect to a Data Source.. /// - internal static string OleDbConnection_ConnectionString { - get { + internal static string OleDbConnection_ConnectionString + { + get + { return ResourceManager.GetString("OleDbConnection_ConnectionString", resourceCulture); } } - + /// /// Looks up a localized string similar to Current connection timeout value, 'Connect Timeout=X' in the ConnectionString.. /// - internal static string OleDbConnection_ConnectionTimeout { - get { + internal static string OleDbConnection_ConnectionTimeout + { + get + { return ResourceManager.GetString("OleDbConnection_ConnectionTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to Current data source catalog value, 'Initial Catalog=X' in the connection string.. /// - internal static string OleDbConnection_Database { - get { + internal static string OleDbConnection_Database + { + get + { return ResourceManager.GetString("OleDbConnection_Database", resourceCulture); } } - + /// /// Looks up a localized string similar to Current data source, 'Data Source=X' in the connection string.. /// - internal static string OleDbConnection_DataSource { - get { + internal static string OleDbConnection_DataSource + { + get + { return ResourceManager.GetString("OleDbConnection_DataSource", resourceCulture); } } - + /// /// Looks up a localized string similar to Current OLE DB provider ProgID, 'Provider=X' in the connection string.. /// - internal static string OleDbConnection_Provider { - get { + internal static string OleDbConnection_Provider + { + get + { return ResourceManager.GetString("OleDbConnection_Provider", resourceCulture); } } - + /// /// Looks up a localized string similar to Version of the product accessed by the OLE DB Provider.. /// - internal static string OleDbConnection_ServerVersion { - get { + internal static string OleDbConnection_ServerVersion + { + get + { return ResourceManager.GetString("OleDbConnection_ServerVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to The parameter native type.. /// - internal static string OleDbParameter_OleDbType { - get { + internal static string OleDbParameter_OleDbType + { + get + { return ResourceManager.GetString("OleDbParameter_OleDbType", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs whenever a property for this control changes.. /// - internal static string propertyChangedEventDescr { - get { + internal static string propertyChangedEventDescr + { + get + { return ResourceManager.GetString("propertyChangedEventDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Min ({0}) must be less than or equal to max ({1}) in a Range object.. /// - internal static string Range_Argument { - get { + internal static string Range_Argument + { + get + { return ResourceManager.GetString("Range_Argument", resourceCulture); } } - + /// /// Looks up a localized string similar to This is a null range.. /// - internal static string Range_NullRange { - get { + internal static string Range_NullRange + { + get + { return ResourceManager.GetString("Range_NullRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Collection was modified; enumeration operation might not execute.. /// - internal static string RbTree_EnumerationBroken { - get { + internal static string RbTree_EnumerationBroken + { + get + { return ResourceManager.GetString("RbTree_EnumerationBroken", resourceCulture); } } - + /// /// Looks up a localized string similar to DataTable internal index is corrupted: '{0}'.. /// - internal static string RbTree_InvalidState { - get { + internal static string RbTree_InvalidState + { + get + { return ResourceManager.GetString("RbTree_InvalidState", resourceCulture); } } - + /// /// Looks up a localized string similar to MinimumCapacity must be non-negative.. /// - internal static string RecordManager_MinimumCapacity { - get { + internal static string RecordManager_MinimumCapacity + { + get + { return ResourceManager.GetString("RecordManager_MinimumCapacity", resourceCulture); } } - + /// /// Looks up a localized string similar to Security Warning: The negotiated {0} is an insecure protocol and is supported for backward compatibility only. The recommended protocol version is TLS 1.2 and later.. /// - internal static string SEC_ProtocolWarning { - get { + internal static string SEC_ProtocolWarning + { + get + { return ResourceManager.GetString("SEC_ProtocolWarning", resourceCulture); } } - + /// /// Looks up a localized string similar to I/O Error detected in read/write operation. /// - internal static string SNI_ERROR_1 { - get { + internal static string SNI_ERROR_1 + { + get + { return ResourceManager.GetString("SNI_ERROR_1", resourceCulture); } } - + /// /// Looks up a localized string similar to . /// - internal static string SNI_ERROR_10 { - get { + internal static string SNI_ERROR_10 + { + get + { return ResourceManager.GetString("SNI_ERROR_10", resourceCulture); } } - + /// /// Looks up a localized string similar to Timeout error. /// - internal static string SNI_ERROR_11 { - get { + internal static string SNI_ERROR_11 + { + get + { return ResourceManager.GetString("SNI_ERROR_11", resourceCulture); } } - + /// /// Looks up a localized string similar to No server name supplied. /// - internal static string SNI_ERROR_12 { - get { + internal static string SNI_ERROR_12 + { + get + { return ResourceManager.GetString("SNI_ERROR_12", resourceCulture); } } - + /// /// Looks up a localized string similar to TerminateListener() has been called. /// - internal static string SNI_ERROR_13 { - get { + internal static string SNI_ERROR_13 + { + get + { return ResourceManager.GetString("SNI_ERROR_13", resourceCulture); } } - + /// /// Looks up a localized string similar to Win9x not supported. /// - internal static string SNI_ERROR_14 { - get { + internal static string SNI_ERROR_14 + { + get + { return ResourceManager.GetString("SNI_ERROR_14", resourceCulture); } } - + /// /// Looks up a localized string similar to Function not supported. /// - internal static string SNI_ERROR_15 { - get { + internal static string SNI_ERROR_15 + { + get + { return ResourceManager.GetString("SNI_ERROR_15", resourceCulture); } } - + /// /// Looks up a localized string similar to Shared-Memory heap error. /// - internal static string SNI_ERROR_16 { - get { + internal static string SNI_ERROR_16 + { + get + { return ResourceManager.GetString("SNI_ERROR_16", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot find an ip/ipv6 type address to connect. /// - internal static string SNI_ERROR_17 { - get { + internal static string SNI_ERROR_17 + { + get + { return ResourceManager.GetString("SNI_ERROR_17", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection has been closed by peer. /// - internal static string SNI_ERROR_18 { - get { + internal static string SNI_ERROR_18 + { + get + { return ResourceManager.GetString("SNI_ERROR_18", resourceCulture); } } - + /// /// Looks up a localized string similar to Physical connection is not usable. /// - internal static string SNI_ERROR_19 { - get { + internal static string SNI_ERROR_19 + { + get + { return ResourceManager.GetString("SNI_ERROR_19", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection was terminated. /// - internal static string SNI_ERROR_2 { - get { + internal static string SNI_ERROR_2 + { + get + { return ResourceManager.GetString("SNI_ERROR_2", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection has been closed. /// - internal static string SNI_ERROR_20 { - get { + internal static string SNI_ERROR_20 + { + get + { return ResourceManager.GetString("SNI_ERROR_20", resourceCulture); } } - + /// /// Looks up a localized string similar to Encryption is enforced but there is no valid certificate. /// - internal static string SNI_ERROR_21 { - get { + internal static string SNI_ERROR_21 + { + get + { return ResourceManager.GetString("SNI_ERROR_21", resourceCulture); } } - + /// /// Looks up a localized string similar to Couldn't load library. /// - internal static string SNI_ERROR_22 { - get { + internal static string SNI_ERROR_22 + { + get + { return ResourceManager.GetString("SNI_ERROR_22", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot open a new thread in server process. /// - internal static string SNI_ERROR_23 { - get { + internal static string SNI_ERROR_23 + { + get + { return ResourceManager.GetString("SNI_ERROR_23", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot post event to completion port. /// - internal static string SNI_ERROR_24 { - get { + internal static string SNI_ERROR_24 + { + get + { return ResourceManager.GetString("SNI_ERROR_24", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection string is not valid. /// - internal static string SNI_ERROR_25 { - get { + internal static string SNI_ERROR_25 + { + get + { return ResourceManager.GetString("SNI_ERROR_25", resourceCulture); } } - + /// /// Looks up a localized string similar to Error Locating Server/Instance Specified. /// - internal static string SNI_ERROR_26 { - get { + internal static string SNI_ERROR_26 + { + get + { return ResourceManager.GetString("SNI_ERROR_26", resourceCulture); } } - + /// /// Looks up a localized string similar to Error getting enabled protocols list from registry. /// - internal static string SNI_ERROR_27 { - get { + internal static string SNI_ERROR_27 + { + get + { return ResourceManager.GetString("SNI_ERROR_27", resourceCulture); } } - + /// /// Looks up a localized string similar to Server doesn't support requested protocol. /// - internal static string SNI_ERROR_28 { - get { + internal static string SNI_ERROR_28 + { + get + { return ResourceManager.GetString("SNI_ERROR_28", resourceCulture); } } - + /// /// Looks up a localized string similar to Shared Memory is not supported for clustered server connectivity. /// - internal static string SNI_ERROR_29 { - get { + internal static string SNI_ERROR_29 + { + get + { return ResourceManager.GetString("SNI_ERROR_29", resourceCulture); } } - + /// /// Looks up a localized string similar to Asynchronous operations not supported. /// - internal static string SNI_ERROR_3 { - get { + internal static string SNI_ERROR_3 + { + get + { return ResourceManager.GetString("SNI_ERROR_3", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt bind to shared memory segment. /// - internal static string SNI_ERROR_30 { - get { + internal static string SNI_ERROR_30 + { + get + { return ResourceManager.GetString("SNI_ERROR_30", resourceCulture); } } - + /// /// Looks up a localized string similar to Encryption(ssl/tls) handshake failed. /// - internal static string SNI_ERROR_31 { - get { + internal static string SNI_ERROR_31 + { + get + { return ResourceManager.GetString("SNI_ERROR_31", resourceCulture); } } - + /// /// Looks up a localized string similar to Packet size too large for SSL Encrypt/Decrypt operations. /// - internal static string SNI_ERROR_32 { - get { + internal static string SNI_ERROR_32 + { + get + { return ResourceManager.GetString("SNI_ERROR_32", resourceCulture); } } - + /// /// Looks up a localized string similar to SSRP error. /// - internal static string SNI_ERROR_33 { - get { + internal static string SNI_ERROR_33 + { + get + { return ResourceManager.GetString("SNI_ERROR_33", resourceCulture); } } - + /// /// Looks up a localized string similar to Could not connect to the Shared Memory pipe. /// - internal static string SNI_ERROR_34 { - get { + internal static string SNI_ERROR_34 + { + get + { return ResourceManager.GetString("SNI_ERROR_34", resourceCulture); } } - + /// /// Looks up a localized string similar to An internal exception was caught. /// - internal static string SNI_ERROR_35 { - get { + internal static string SNI_ERROR_35 + { + get + { return ResourceManager.GetString("SNI_ERROR_35", resourceCulture); } } - + /// /// Looks up a localized string similar to The Shared Memory dll used to connect to SQL Server 2000 was not found. /// - internal static string SNI_ERROR_36 { - get { + internal static string SNI_ERROR_36 + { + get + { return ResourceManager.GetString("SNI_ERROR_36", resourceCulture); } } - + /// /// Looks up a localized string similar to The SQL Server 2000 Shared Memory client dll appears to be invalid/corrupted. /// - internal static string SNI_ERROR_37 { - get { + internal static string SNI_ERROR_37 + { + get + { return ResourceManager.GetString("SNI_ERROR_37", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot open a Shared Memory connection to SQL Server 2000. /// - internal static string SNI_ERROR_38 { - get { + internal static string SNI_ERROR_38 + { + get + { return ResourceManager.GetString("SNI_ERROR_38", resourceCulture); } } - + /// /// Looks up a localized string similar to Shared memory connectivity to SQL Server 2000 is either disabled or not available on this machine. /// - internal static string SNI_ERROR_39 { - get { + internal static string SNI_ERROR_39 + { + get + { return ResourceManager.GetString("SNI_ERROR_39", resourceCulture); } } - + /// /// Looks up a localized string similar to . /// - internal static string SNI_ERROR_4 { - get { + internal static string SNI_ERROR_4 + { + get + { return ResourceManager.GetString("SNI_ERROR_4", resourceCulture); } } - + /// /// Looks up a localized string similar to Could not open a connection to SQL Server. /// - internal static string SNI_ERROR_40 { - get { + internal static string SNI_ERROR_40 + { + get + { return ResourceManager.GetString("SNI_ERROR_40", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot open a Shared Memory connection to a remote SQL server. /// - internal static string SNI_ERROR_41 { - get { + internal static string SNI_ERROR_41 + { + get + { return ResourceManager.GetString("SNI_ERROR_41", resourceCulture); } } - + /// /// Looks up a localized string similar to Could not establish dedicated administrator connection (DAC) on default port. Make sure that DAC is enabled. /// - internal static string SNI_ERROR_42 { - get { + internal static string SNI_ERROR_42 + { + get + { return ResourceManager.GetString("SNI_ERROR_42", resourceCulture); } } - + /// /// Looks up a localized string similar to An error occurred while obtaining the dedicated administrator connection (DAC) port. Make sure that SQL Browser is running, or check the error log for the port number. /// - internal static string SNI_ERROR_43 { - get { + internal static string SNI_ERROR_43 + { + get + { return ResourceManager.GetString("SNI_ERROR_43", resourceCulture); } } - + /// /// Looks up a localized string similar to Could not compose Service Principal Name (SPN) for Windows Integrated Authentication. Possible causes are server(s) incorrectly specified to connection API calls, Domain Name System (DNS) lookup failure or memory shortage. /// - internal static string SNI_ERROR_44 { - get { + internal static string SNI_ERROR_44 + { + get + { return ResourceManager.GetString("SNI_ERROR_44", resourceCulture); } } - + /// /// Looks up a localized string similar to Connecting with the MultiSubnetFailover connection option to a SQL Server instance configured with more than 64 IP addresses is not supported.. /// - internal static string SNI_ERROR_47 { - get { + internal static string SNI_ERROR_47 + { + get + { return ResourceManager.GetString("SNI_ERROR_47", resourceCulture); } } - + /// /// Looks up a localized string similar to Connecting to a named SQL Server instance using the MultiSubnetFailover connection option is not supported.. /// - internal static string SNI_ERROR_48 { - get { + internal static string SNI_ERROR_48 + { + get + { return ResourceManager.GetString("SNI_ERROR_48", resourceCulture); } } - + /// /// Looks up a localized string similar to Connecting to a SQL Server instance using the MultiSubnetFailover connection option is only supported when using the TCP protocol.. /// - internal static string SNI_ERROR_49 { - get { + internal static string SNI_ERROR_49 + { + get + { return ResourceManager.GetString("SNI_ERROR_49", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid parameter(s) found. /// - internal static string SNI_ERROR_5 { - get { + internal static string SNI_ERROR_5 + { + get + { return ResourceManager.GetString("SNI_ERROR_5", resourceCulture); } } - + /// /// Looks up a localized string similar to Local Database Runtime error occurred. . /// - internal static string SNI_ERROR_50 { - get { + internal static string SNI_ERROR_50 + { + get + { return ResourceManager.GetString("SNI_ERROR_50", resourceCulture); } } - + /// /// Looks up a localized string similar to An instance name was not specified while connecting to a Local Database Runtime. Specify an instance name in the format (localdb)\instance_name.. /// - internal static string SNI_ERROR_51 { - get { + internal static string SNI_ERROR_51 + { + get + { return ResourceManager.GetString("SNI_ERROR_51", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to locate a Local Database Runtime installation. Verify that SQL Server Express is properly installed and that the Local Database Runtime feature is enabled.. /// - internal static string SNI_ERROR_52 { - get { + internal static string SNI_ERROR_52 + { + get + { return ResourceManager.GetString("SNI_ERROR_52", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid Local Database Runtime registry configuration found. Verify that SQL Server Express is properly installed.. /// - internal static string SNI_ERROR_53 { - get { + internal static string SNI_ERROR_53 + { + get + { return ResourceManager.GetString("SNI_ERROR_53", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to locate the registry entry for SQLUserInstance.dll file path. Verify that the Local Database Runtime feature of SQL Server Express is properly installed.. /// - internal static string SNI_ERROR_54 { - get { + internal static string SNI_ERROR_54 + { + get + { return ResourceManager.GetString("SNI_ERROR_54", resourceCulture); } } - + /// /// Looks up a localized string similar to Registry value contains an invalid SQLUserInstance.dll file path. Verify that the Local Database Runtime feature of SQL Server Express is properly installed.. /// - internal static string SNI_ERROR_55 { - get { + internal static string SNI_ERROR_55 + { + get + { return ResourceManager.GetString("SNI_ERROR_55", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to load the SQLUserInstance.dll from the location specified in the registry. Verify that the Local Database Runtime feature of SQL Server Express is properly installed.. /// - internal static string SNI_ERROR_56 { - get { + internal static string SNI_ERROR_56 + { + get + { return ResourceManager.GetString("SNI_ERROR_56", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid SQLUserInstance.dll found at the location specified in the registry. Verify that the Local Database Runtime feature of SQL Server Express is properly installed.. /// - internal static string SNI_ERROR_57 { - get { + internal static string SNI_ERROR_57 + { + get + { return ResourceManager.GetString("SNI_ERROR_57", resourceCulture); } } - + /// /// Looks up a localized string similar to Unsupported protocol specified. /// - internal static string SNI_ERROR_6 { - get { + internal static string SNI_ERROR_6 + { + get + { return ResourceManager.GetString("SNI_ERROR_6", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid connection found when setting up new session protocol. /// - internal static string SNI_ERROR_7 { - get { + internal static string SNI_ERROR_7 + { + get + { return ResourceManager.GetString("SNI_ERROR_7", resourceCulture); } } - + /// /// Looks up a localized string similar to Protocol not supported. /// - internal static string SNI_ERROR_8 { - get { + internal static string SNI_ERROR_8 + { + get + { return ResourceManager.GetString("SNI_ERROR_8", resourceCulture); } } - + /// /// Looks up a localized string similar to Associating port with I/O completion mechanism failed. /// - internal static string SNI_ERROR_9 { - get { + internal static string SNI_ERROR_9 + { + get + { return ResourceManager.GetString("SNI_ERROR_9", resourceCulture); } } - + /// /// Looks up a localized string similar to HTTP Provider. /// - internal static string SNI_PN0 { - get { + internal static string SNI_PN0 + { + get + { return ResourceManager.GetString("SNI_PN0", resourceCulture); } } - + /// /// Looks up a localized string similar to Named Pipes Provider. /// - internal static string SNI_PN1 { - get { + internal static string SNI_PN1 + { + get + { return ResourceManager.GetString("SNI_PN1", resourceCulture); } } - + /// /// Looks up a localized string similar to . /// - internal static string SNI_PN10 { - get { + internal static string SNI_PN10 + { + get + { return ResourceManager.GetString("SNI_PN10", resourceCulture); } } - + /// /// Looks up a localized string similar to SQL Network Interfaces. /// - internal static string SNI_PN11 { - get { + internal static string SNI_PN11 + { + get + { return ResourceManager.GetString("SNI_PN11", resourceCulture); } } - + /// /// Looks up a localized string similar to Session Provider. /// - internal static string SNI_PN2 { - get { + internal static string SNI_PN2 + { + get + { return ResourceManager.GetString("SNI_PN2", resourceCulture); } } - + /// /// Looks up a localized string similar to Sign Provider. /// - internal static string SNI_PN3 { - get { + internal static string SNI_PN3 + { + get + { return ResourceManager.GetString("SNI_PN3", resourceCulture); } } - + /// /// Looks up a localized string similar to Shared Memory Provider. /// - internal static string SNI_PN4 { - get { + internal static string SNI_PN4 + { + get + { return ResourceManager.GetString("SNI_PN4", resourceCulture); } } - + /// /// Looks up a localized string similar to SMux Provider. /// - internal static string SNI_PN5 { - get { + internal static string SNI_PN5 + { + get + { return ResourceManager.GetString("SNI_PN5", resourceCulture); } } - + /// /// Looks up a localized string similar to SSL Provider. /// - internal static string SNI_PN6 { - get { + internal static string SNI_PN6 + { + get + { return ResourceManager.GetString("SNI_PN6", resourceCulture); } } - + /// /// Looks up a localized string similar to TCP Provider. /// - internal static string SNI_PN7 { - get { + internal static string SNI_PN7 + { + get + { return ResourceManager.GetString("SNI_PN7", resourceCulture); } } - + /// /// Looks up a localized string similar to VIA Provider. /// - internal static string SNI_PN8 { - get { + internal static string SNI_PN8 + { + get + { return ResourceManager.GetString("SNI_PN8", resourceCulture); } } - + /// /// Looks up a localized string similar to CTAIP Provider. /// - internal static string SNI_PN9 { - get { + internal static string SNI_PN9 + { + get + { return ResourceManager.GetString("SNI_PN9", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection open and login was successful, but then an error occurred while enlisting the connection into the current distributed transaction.. /// - internal static string Snix_AutoEnlist { - get { + internal static string Snix_AutoEnlist + { + get + { return ResourceManager.GetString("Snix_AutoEnlist", resourceCulture); } } - + /// /// Looks up a localized string similar to A transport-level error has occurred during connection clean-up.. /// - internal static string Snix_Close { - get { + internal static string Snix_Close + { + get + { return ResourceManager.GetString("Snix_Close", resourceCulture); } } - + /// /// Looks up a localized string similar to A network-related or instance-specific error occurred while establishing a connection to SQL Server. The server was not found or was not accessible. Verify that the instance name is correct and that SQL Server is configured to allow remote connections.. /// - internal static string Snix_Connect { - get { + internal static string Snix_Connect + { + get + { return ResourceManager.GetString("Snix_Connect", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection open and login was successful, but then an error occurred while enabling MARS for this connection.. /// - internal static string Snix_EnableMars { - get { + internal static string Snix_EnableMars + { + get + { return ResourceManager.GetString("Snix_EnableMars", resourceCulture); } } - + /// /// Looks up a localized string similar to A transport-level error has occurred when sending the request to the server.. /// - internal static string Snix_Execute { - get { + internal static string Snix_Execute + { + get + { return ResourceManager.GetString("Snix_Execute", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to establish a MARS session in preparation to send the request to the server.. /// - internal static string Snix_GetMarsSession { - get { + internal static string Snix_GetMarsSession + { + get + { return ResourceManager.GetString("Snix_GetMarsSession", resourceCulture); } } - + /// /// Looks up a localized string similar to A connection was successfully established with the server, but then an error occurred during the login process.. /// - internal static string Snix_Login { - get { + internal static string Snix_Login + { + get + { return ResourceManager.GetString("Snix_Login", resourceCulture); } } - + /// /// Looks up a localized string similar to A connection was successfully established with the server, but then an error occurred when obtaining the security/SSPI context information for integrated security login.. /// - internal static string Snix_LoginSspi { - get { + internal static string Snix_LoginSspi + { + get + { return ResourceManager.GetString("Snix_LoginSspi", resourceCulture); } } - + /// /// Looks up a localized string similar to A connection was successfully established with the server, but then an error occurred during the pre-login handshake.. /// - internal static string Snix_PreLogin { - get { + internal static string Snix_PreLogin + { + get + { return ResourceManager.GetString("Snix_PreLogin", resourceCulture); } } - + /// /// Looks up a localized string similar to The client was unable to establish a connection because of an error during connection initialization process before login. Possible causes include the following: the client tried to connect to an unsupported version of SQL Server; the server was too busy to accept new connections; or there was a resource limitation (insufficient memory or maximum allowed connections) on the server.. /// - internal static string Snix_PreLoginBeforeSuccessfullWrite { - get { + internal static string Snix_PreLoginBeforeSuccessfullWrite + { + get + { return ResourceManager.GetString("Snix_PreLoginBeforeSuccessfullWrite", resourceCulture); } } - + /// /// Looks up a localized string similar to A transport-level error has occurred during SSPI handshake.. /// - internal static string Snix_ProcessSspi { - get { + internal static string Snix_ProcessSspi + { + get + { return ResourceManager.GetString("Snix_ProcessSspi", resourceCulture); } } - + /// /// Looks up a localized string similar to A transport-level error has occurred when receiving results from the server.. /// - internal static string Snix_Read { - get { + internal static string Snix_Read + { + get + { return ResourceManager.GetString("Snix_Read", resourceCulture); } } - + /// /// Looks up a localized string similar to A transport-level error has occurred while sending information to the server.. /// - internal static string Snix_SendRows { - get { + internal static string Snix_SendRows + { + get + { return ResourceManager.GetString("Snix_SendRows", resourceCulture); } } - + /// /// Looks up a localized string similar to The length of '{0}' must match the length of '{1}'.. /// - internal static string SQL_ArgumentLengthMismatch { - get { + internal static string SQL_ArgumentLengthMismatch + { + get + { return ResourceManager.GetString("SQL_ArgumentLengthMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to This command requires an asynchronous connection. Set "Asynchronous Processing=true" in the connection string.. /// - internal static string SQL_AsyncConnectionRequired { - get { + internal static string SQL_AsyncConnectionRequired + { + get + { return ResourceManager.GetString("SQL_AsyncConnectionRequired", resourceCulture); } } - + /// /// Looks up a localized string similar to The asynchronous operation has already completed.. /// - internal static string SQL_AsyncOperationCompleted { - get { + internal static string SQL_AsyncOperationCompleted + { + get + { return ResourceManager.GetString("SQL_AsyncOperationCompleted", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use 'Authentication' with 'Integrated Security'.. /// - internal static string SQL_AuthenticationAndIntegratedSecurity { - get { + internal static string SQL_AuthenticationAndIntegratedSecurity + { + get + { return ResourceManager.GetString("SQL_AuthenticationAndIntegratedSecurity", resourceCulture); } } - + /// /// Looks up a localized string similar to Batching updates is not supported on the context connection.. /// - internal static string SQL_BatchedUpdatesNotAvailableOnContextConnection { - get { + internal static string SQL_BatchedUpdatesNotAvailableOnContextConnection + { + get + { return ResourceManager.GetString("SQL_BatchedUpdatesNotAvailableOnContextConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlBulkCopy.WriteToServer failed because the SqlBulkCopy.DestinationTableName is an invalid multipart name. /// - internal static string SQL_BulkCopyDestinationTableName { - get { + internal static string SQL_BulkCopyDestinationTableName + { + get + { return ResourceManager.GetString("SQL_BulkCopyDestinationTableName", resourceCulture); } } - + /// /// Looks up a localized string similar to The given value{0} of type {1} from the data source cannot be converted to type {2} for Column {3} [{4}] Row {5}.. /// - internal static string SQL_BulkLoadCannotConvertValue { - get { + internal static string SQL_BulkLoadCannotConvertValue + { + get + { return ResourceManager.GetString("SQL_BulkLoadCannotConvertValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The given value{0} of type {1} from the data source cannot be converted to type {2} for Column {3} [{4}].. /// - internal static string SQL_BulkLoadCannotConvertValueWithoutRowNo { - get { + internal static string SQL_BulkLoadCannotConvertValueWithoutRowNo + { + get + { return ResourceManager.GetString("SQL_BulkLoadCannotConvertValueWithoutRowNo", resourceCulture); } } - + /// /// Looks up a localized string similar to Must not specify SqlBulkCopyOption.UseInternalTransaction and pass an external Transaction at the same time.. /// - internal static string SQL_BulkLoadConflictingTransactionOption { - get { + internal static string SQL_BulkLoadConflictingTransactionOption + { + get + { return ResourceManager.GetString("SQL_BulkLoadConflictingTransactionOption", resourceCulture); } } - + /// /// Looks up a localized string similar to Unexpected existing transaction.. /// - internal static string SQL_BulkLoadExistingTransaction { - get { + internal static string SQL_BulkLoadExistingTransaction + { + get + { return ResourceManager.GetString("SQL_BulkLoadExistingTransaction", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot access destination table '{0}'.. /// - internal static string SQL_BulkLoadInvalidDestinationTable { - get { + internal static string SQL_BulkLoadInvalidDestinationTable + { + get + { return ResourceManager.GetString("SQL_BulkLoadInvalidDestinationTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Function must not be called during event.. /// - internal static string SQL_BulkLoadInvalidOperationInsideEvent { - get { + internal static string SQL_BulkLoadInvalidOperationInsideEvent + { + get + { return ResourceManager.GetString("SQL_BulkLoadInvalidOperationInsideEvent", resourceCulture); } } - + /// /// Looks up a localized string similar to The given column order hint is not valid.. /// - internal static string SQL_BulkLoadInvalidOrderHint { - get { + internal static string SQL_BulkLoadInvalidOrderHint + { + get + { return ResourceManager.GetString("SQL_BulkLoadInvalidOrderHint", resourceCulture); } } - + /// /// Looks up a localized string similar to Timeout Value '{0}' is less than 0.. /// - internal static string SQL_BulkLoadInvalidTimeout { - get { + internal static string SQL_BulkLoadInvalidTimeout + { + get + { return ResourceManager.GetString("SQL_BulkLoadInvalidTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to Value cannot be converted to SqlVariant.. /// - internal static string SQL_BulkLoadInvalidVariantValue { - get { + internal static string SQL_BulkLoadInvalidVariantValue + { + get + { return ResourceManager.GetString("SQL_BulkLoadInvalidVariantValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The locale id '{0}' of the source column '{1}' and the locale id '{2}' of the destination column '{3}' do not match.. /// - internal static string Sql_BulkLoadLcidMismatch { - get { + internal static string Sql_BulkLoadLcidMismatch + { + get + { return ResourceManager.GetString("Sql_BulkLoadLcidMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to The mapped collection is in use and cannot be accessed at this time;. /// - internal static string SQL_BulkLoadMappingInaccessible { - get { + internal static string SQL_BulkLoadMappingInaccessible + { + get + { return ResourceManager.GetString("SQL_BulkLoadMappingInaccessible", resourceCulture); } } - + /// /// Looks up a localized string similar to Mappings must be either all name or all ordinal based.. /// - internal static string SQL_BulkLoadMappingsNamesOrOrdinalsOnly { - get { + internal static string SQL_BulkLoadMappingsNamesOrOrdinalsOnly + { + get + { return ResourceManager.GetString("SQL_BulkLoadMappingsNamesOrOrdinalsOnly", resourceCulture); } } - + /// /// Looks up a localized string similar to The DestinationTableName property must be set before calling this method.. /// - internal static string SQL_BulkLoadMissingDestinationTable { - get { + internal static string SQL_BulkLoadMissingDestinationTable + { + get + { return ResourceManager.GetString("SQL_BulkLoadMissingDestinationTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to obtain column collation information for the destination table. If the table is not in the current database the name must be qualified using the database name (e.g. [mydb]..[mytable](e.g. [mydb]..[mytable]); this also applies to temporary-tables (e.g. #mytable would be specified as tempdb..#mytable).. /// - internal static string SQL_BulkLoadNoCollation { - get { + internal static string SQL_BulkLoadNoCollation + { + get + { return ResourceManager.GetString("SQL_BulkLoadNoCollation", resourceCulture); } } - + /// /// Looks up a localized string similar to The given ColumnMapping does not match up with any column in the source or destination.. /// - internal static string SQL_BulkLoadNonMatchingColumnMapping { - get { + internal static string SQL_BulkLoadNonMatchingColumnMapping + { + get + { return ResourceManager.GetString("SQL_BulkLoadNonMatchingColumnMapping", resourceCulture); } } - + /// /// Looks up a localized string similar to The given ColumnName '{0}' does not match up with any column in data source.. /// - internal static string SQL_BulkLoadNonMatchingColumnName { - get { + internal static string SQL_BulkLoadNonMatchingColumnName + { + get + { return ResourceManager.GetString("SQL_BulkLoadNonMatchingColumnName", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' does not allow DBNull.Value.. /// - internal static string SQL_BulkLoadNotAllowDBNull { - get { + internal static string SQL_BulkLoadNotAllowDBNull + { + get + { return ResourceManager.GetString("SQL_BulkLoadNotAllowDBNull", resourceCulture); } } - + /// /// Looks up a localized string similar to The column '{0}' was specified more than once.. /// - internal static string SQL_BulkLoadOrderHintDuplicateColumn { - get { + internal static string SQL_BulkLoadOrderHintDuplicateColumn + { + get + { return ResourceManager.GetString("SQL_BulkLoadOrderHintDuplicateColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to The sorted column '{0}' is not valid in the destination table.. /// - internal static string SQL_BulkLoadOrderHintInvalidColumn { - get { + internal static string SQL_BulkLoadOrderHintInvalidColumn + { + get + { return ResourceManager.GetString("SQL_BulkLoadOrderHintInvalidColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to Attempt to invoke bulk copy on an object that has a pending operation.. /// - internal static string SQL_BulkLoadPendingOperation { - get { + internal static string SQL_BulkLoadPendingOperation + { + get + { return ResourceManager.GetString("SQL_BulkLoadPendingOperation", resourceCulture); } } - + /// /// Looks up a localized string similar to String or binary data would be truncated in table '{0}', column '{1}'. Truncated value: '{2}'.. /// - internal static string SQL_BulkLoadStringTooLong { - get { + internal static string SQL_BulkLoadStringTooLong + { + get + { return ResourceManager.GetString("SQL_BulkLoadStringTooLong", resourceCulture); } } - + /// /// Looks up a localized string similar to A column order hint cannot have an unspecified sort order.. /// - internal static string SQL_BulkLoadUnspecifiedSortOrder { - get { + internal static string SQL_BulkLoadUnspecifiedSortOrder + { + get + { return ResourceManager.GetString("SQL_BulkLoadUnspecifiedSortOrder", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to instantiate a SqlAuthenticationInitializer with type '{0}'.. /// - internal static string SQL_CannotCreateAuthInitializer { - get { + internal static string SQL_CannotCreateAuthInitializer + { + get + { return ResourceManager.GetString("SQL_CannotCreateAuthInitializer", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to instantiate an authentication provider with type '{1}' for '{0}'.. /// - internal static string SQL_CannotCreateAuthProvider { - get { + internal static string SQL_CannotCreateAuthProvider + { + get + { return ResourceManager.GetString("SQL_CannotCreateAuthProvider", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot find an authentication provider for '{0}'.. /// - internal static string SQL_CannotFindAuthProvider { - get { + internal static string SQL_CannotFindAuthProvider + { + get + { return ResourceManager.GetString("SQL_CannotFindAuthProvider", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to read the config section for authentication providers.. /// - internal static string SQL_CannotGetAuthProviderConfig { - get { + internal static string SQL_CannotGetAuthProviderConfig + { + get + { return ResourceManager.GetString("SQL_CannotGetAuthProviderConfig", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to get the address of the distributed transaction coordinator for the server, from the server. Is DTC enabled on the server?. /// - internal static string SQL_CannotGetDTCAddress { - get { + internal static string SQL_CannotGetDTCAddress + { + get + { return ResourceManager.GetString("SQL_CannotGetDTCAddress", resourceCulture); } } - + /// /// Looks up a localized string similar to The provider '{0}' threw an exception while initializing.. /// - internal static string SQL_CannotInitializeAuthProvider { - get { + internal static string SQL_CannotInitializeAuthProvider + { + get + { return ResourceManager.GetString("SQL_CannotInitializeAuthProvider", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} cannot be changed while async operation is in progress.. /// - internal static string SQL_CannotModifyPropertyAsyncOperationInProgress { - get { + internal static string SQL_CannotModifyPropertyAsyncOperationInProgress + { + get + { return ResourceManager.GetString("SQL_CannotModifyPropertyAsyncOperationInProgress", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot create normalizer for '{0}'.. /// - internal static string Sql_CanotCreateNormalizer { - get { + internal static string Sql_CanotCreateNormalizer + { + get + { return ResourceManager.GetString("Sql_CanotCreateNormalizer", resourceCulture); } } - + /// /// Looks up a localized string similar to Incorrect authentication parameters specified with certificate authentication.. /// - internal static string SQL_Certificate { - get { + internal static string SQL_Certificate + { + get + { return ResourceManager.GetString("SQL_Certificate", resourceCulture); } } - + /// /// Looks up a localized string similar to The '{0}' argument must not be null or empty.. /// - internal static string SQL_ChangePasswordArgumentMissing { - get { + internal static string SQL_ChangePasswordArgumentMissing + { + get + { return ResourceManager.GetString("SQL_ChangePasswordArgumentMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to ChangePassword can only be used with SQL authentication, not with integrated security.. /// - internal static string SQL_ChangePasswordConflictsWithSSPI { - get { + internal static string SQL_ChangePasswordConflictsWithSSPI + { + get + { return ResourceManager.GetString("SQL_ChangePasswordConflictsWithSSPI", resourceCulture); } } - + /// /// Looks up a localized string similar to ChangePassword requires SQL Server 9.0 or later.. /// - internal static string SQL_ChangePasswordRequiresYukon { - get { + internal static string SQL_ChangePasswordRequiresYukon + { + get + { return ResourceManager.GetString("SQL_ChangePasswordRequiresYukon", resourceCulture); } } - + /// /// Looks up a localized string similar to The keyword '{0}' must not be specified in the connectionString argument to ChangePassword.. /// - internal static string SQL_ChangePasswordUseOfUnallowedKey { - get { + internal static string SQL_ChangePasswordUseOfUnallowedKey + { + get + { return ResourceManager.GetString("SQL_ChangePasswordUseOfUnallowedKey", resourceCulture); } } - + /// /// Looks up a localized string similar to The requested operation cannot be completed because the connection has been broken.. /// - internal static string SQL_ConnectionDoomed { - get { + internal static string SQL_ConnectionDoomed + { + get + { return ResourceManager.GetString("SQL_ConnectionDoomed", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection cannot be used because there is an ongoing operation that must be finished.. /// - internal static string SQL_ConnectionLockedForBcpEvent { - get { + internal static string SQL_ConnectionLockedForBcpEvent + { + get + { return ResourceManager.GetString("SQL_ConnectionLockedForBcpEvent", resourceCulture); } } - + /// /// Looks up a localized string similar to The only additional connection string keyword that may be used when requesting the context connection is the Type System Version keyword.. /// - internal static string SQL_ContextAllowsLimitedKeywords { - get { + internal static string SQL_ContextAllowsLimitedKeywords + { + get + { return ResourceManager.GetString("SQL_ContextAllowsLimitedKeywords", resourceCulture); } } - + /// /// Looks up a localized string similar to The context connection does not support Type System Version=SQL Server 2000.. /// - internal static string SQL_ContextAllowsOnlyTypeSystem2005 { - get { + internal static string SQL_ContextAllowsOnlyTypeSystem2005 + { + get + { return ResourceManager.GetString("SQL_ContextAllowsOnlyTypeSystem2005", resourceCulture); } } - + /// /// Looks up a localized string similar to The context connection is already in use.. /// - internal static string SQL_ContextConnectionIsInUse { - get { + internal static string SQL_ContextConnectionIsInUse + { + get + { return ResourceManager.GetString("SQL_ContextConnectionIsInUse", resourceCulture); } } - + /// /// Looks up a localized string similar to The requested operation requires a SqlClr context, which is only available when running in the Sql Server process.. /// - internal static string SQL_ContextUnavailableOutOfProc { - get { + internal static string SQL_ContextUnavailableOutOfProc + { + get + { return ResourceManager.GetString("SQL_ContextUnavailableOutOfProc", resourceCulture); } } - + /// /// Looks up a localized string similar to The requested operation requires a Sql Server execution thread. The current thread was started by user code or other non-Sql Server engine code.. /// - internal static string SQL_ContextUnavailableWhileInProc { - get { + internal static string SQL_ContextUnavailableWhileInProc + { + get + { return ResourceManager.GetString("SQL_ContextUnavailableWhileInProc", resourceCulture); } } - + /// /// Looks up a localized string similar to Either Credential or both 'User ID' and 'Password' (or 'UID' and 'PWD') connection string keywords must be specified, if 'Authentication={0}'.. /// - internal static string SQL_CredentialsNotProvided { - get { + internal static string SQL_CredentialsNotProvided + { + get + { return ResourceManager.GetString("SQL_CredentialsNotProvided", resourceCulture); } } - + /// /// Looks up a localized string similar to The instance of SQL Server you attempted to connect to does not support CTAIP.. /// - internal static string SQL_CTAIPNotSupportedByServer { - get { + internal static string SQL_CTAIPNotSupportedByServer + { + get + { return ResourceManager.GetString("SQL_CTAIPNotSupportedByServer", resourceCulture); } } - + /// /// Looks up a localized string similar to The Collation specified by SQL Server is not supported.. /// - internal static string SQL_CultureIdError { - get { + internal static string SQL_CultureIdError + { + get + { return ResourceManager.GetString("SQL_CultureIdError", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use 'Authentication=Active Directory Device Code Flow' with 'User ID', 'UID', 'Password' or 'PWD' connection string keywords.. /// - internal static string SQL_DeviceFlowWithUsernamePassword { - get { + internal static string SQL_DeviceFlowWithUsernamePassword + { + get + { return ResourceManager.GetString("SQL_DeviceFlowWithUsernamePassword", resourceCulture); } } - + /// /// Looks up a localized string similar to The duration spent while attempting to connect to this server was - [Pre-Login] initialization={0}; handshake={1}; [Login] initialization={2}; . /// - internal static string SQL_Duration_Login_Begin { - get { + internal static string SQL_Duration_Login_Begin + { + get + { return ResourceManager.GetString("SQL_Duration_Login_Begin", resourceCulture); } } - + /// /// Looks up a localized string similar to The duration spent while attempting to connect to this server was - [Pre-Login] initialization={0}; handshake={1}; [Login] initialization={2}; authentication={3}; . /// - internal static string SQL_Duration_Login_ProcessConnectionAuth { - get { + internal static string SQL_Duration_Login_ProcessConnectionAuth + { + get + { return ResourceManager.GetString("SQL_Duration_Login_ProcessConnectionAuth", resourceCulture); } } - + /// /// Looks up a localized string similar to The duration spent while attempting to connect to this server was - [Pre-Login] initialization={0}; handshake={1}; [Login] initialization={2}; authentication={3}; [Post-Login] complete={4}; . /// - internal static string SQL_Duration_PostLogin { - get { + internal static string SQL_Duration_PostLogin + { + get + { return ResourceManager.GetString("SQL_Duration_PostLogin", resourceCulture); } } - + /// /// Looks up a localized string similar to The duration spent while attempting to connect to this server was - [Pre-Login] initialization={0};. /// - internal static string SQL_Duration_PreLogin_Begin { - get { + internal static string SQL_Duration_PreLogin_Begin + { + get + { return ResourceManager.GetString("SQL_Duration_PreLogin_Begin", resourceCulture); } } - + /// /// Looks up a localized string similar to The duration spent while attempting to connect to this server was - [Pre-Login] initialization={0}; handshake={1}; . /// - internal static string SQL_Duration_PreLoginHandshake { - get { + internal static string SQL_Duration_PreLoginHandshake + { + get + { return ResourceManager.GetString("SQL_Duration_PreLoginHandshake", resourceCulture); } } - + /// /// Looks up a localized string similar to The instance of SQL Server you attempted to connect to requires encryption but this machine does not support it.. /// - internal static string SQL_EncryptionNotSupportedByClient { - get { + internal static string SQL_EncryptionNotSupportedByClient + { + get + { return ResourceManager.GetString("SQL_EncryptionNotSupportedByClient", resourceCulture); } } - + /// /// Looks up a localized string similar to The instance of SQL Server you attempted to connect to does not support encryption.. /// - internal static string SQL_EncryptionNotSupportedByServer { - get { + internal static string SQL_EncryptionNotSupportedByServer + { + get + { return ResourceManager.GetString("SQL_EncryptionNotSupportedByServer", resourceCulture); } } - + /// /// Looks up a localized string similar to Number of fields in record '{0}' does not match the number in the original record.. /// - internal static string SQL_EnumeratedRecordFieldCountChanged { - get { + internal static string SQL_EnumeratedRecordFieldCountChanged + { + get + { return ResourceManager.GetString("SQL_EnumeratedRecordFieldCountChanged", resourceCulture); } } - + /// /// Looks up a localized string similar to Metadata for field '{0}' of record '{1}' did not match the original record's metadata.. /// - internal static string SQL_EnumeratedRecordMetaDataChanged { - get { + internal static string SQL_EnumeratedRecordMetaDataChanged + { + get + { return ResourceManager.GetString("SQL_EnumeratedRecordMetaDataChanged", resourceCulture); } } - + /// /// Looks up a localized string similar to Specified data length {0} exceeds the allowed maximum length of {1}.. /// - internal static string SQL_ExceedsMaxDataLength { - get { + internal static string SQL_ExceedsMaxDataLength + { + get + { return ResourceManager.GetString("SQL_ExceedsMaxDataLength", resourceCulture); } } - + /// /// Looks up a localized string similar to ClientConnectionId:{0}. /// - internal static string SQL_ExClientConnectionId { - get { + internal static string SQL_ExClientConnectionId + { + get + { return ResourceManager.GetString("SQL_ExClientConnectionId", resourceCulture); } } - + /// /// Looks up a localized string similar to Error Number:{0},State:{1},Class:{2}. /// - internal static string SQL_ExErrorNumberStateClass { - get { + internal static string SQL_ExErrorNumberStateClass + { + get + { return ResourceManager.GetString("SQL_ExErrorNumberStateClass", resourceCulture); } } - + /// /// Looks up a localized string similar to ClientConnectionId before routing:{0}. /// - internal static string SQL_ExOriginalClientConnectionId { - get { + internal static string SQL_ExOriginalClientConnectionId + { + get + { return ResourceManager.GetString("SQL_ExOriginalClientConnectionId", resourceCulture); } } - + /// /// Looks up a localized string similar to Routing Destination:{0}. /// - internal static string SQL_ExRoutingDestination { - get { + internal static string SQL_ExRoutingDestination + { + get + { return ResourceManager.GetString("SQL_ExRoutingDestination", resourceCulture); } } - + /// /// Looks up a localized string similar to Timeout expired. The connection has been broken as a result.. /// - internal static string SQL_FatalTimeout { - get { + internal static string SQL_FatalTimeout + { + get + { return ResourceManager.GetString("SQL_FatalTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to Instance failure.. /// - internal static string SQL_InstanceFailure { - get { + internal static string SQL_InstanceFailure + { + get + { return ResourceManager.GetString("SQL_InstanceFailure", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use 'Authentication=Active Directory Integrated' with 'User ID', 'UID', 'Password' or 'PWD' connection string keywords.. /// - internal static string SQL_IntegratedWithUserIDAndPassword { - get { + internal static string SQL_IntegratedWithUserIDAndPassword + { + get + { return ResourceManager.GetString("SQL_IntegratedWithUserIDAndPassword", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use 'Authentication=Active Directory Interactive' with 'Password' or 'PWD' connection string keywords.. /// - internal static string SQL_InteractiveWithPassword { - get { + internal static string SQL_InteractiveWithPassword + { + get + { return ResourceManager.GetString("SQL_InteractiveWithPassword", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. /// - internal static string Sql_InternalError { - get { + internal static string Sql_InternalError + { + get + { return ResourceManager.GetString("Sql_InternalError", resourceCulture); } } - + /// /// Looks up a localized string similar to Buffer offset '{1}' plus the bytes available '{0}' is greater than the length of the passed in buffer.. /// - internal static string SQL_InvalidBufferSizeOrIndex { - get { + internal static string SQL_InvalidBufferSizeOrIndex + { + get + { return ResourceManager.GetString("SQL_InvalidBufferSizeOrIndex", resourceCulture); } } - + /// /// Looks up a localized string similar to Data length '{0}' is less than 0.. /// - internal static string SQL_InvalidDataLength { - get { + internal static string SQL_InvalidDataLength + { + get + { return ResourceManager.GetString("SQL_InvalidDataLength", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid internal packet size:. /// - internal static string SQL_InvalidInternalPacketSize { - get { + internal static string SQL_InvalidInternalPacketSize + { + get + { return ResourceManager.GetString("SQL_InvalidInternalPacketSize", resourceCulture); } } - + /// /// Looks up a localized string similar to The length of the value for the connection parameter <{0}> exceeds the maximum allowed 65535 characters.. /// - internal static string SQL_InvalidOptionLength { - get { + internal static string SQL_InvalidOptionLength + { + get + { return ResourceManager.GetString("SQL_InvalidOptionLength", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid 'Packet Size'. The value must be an integer >= 512 and <= 32768.. /// - internal static string SQL_InvalidPacketSizeValue { - get { + internal static string SQL_InvalidPacketSizeValue + { + get + { return ResourceManager.GetString("SQL_InvalidPacketSizeValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The length of the parameter '{0}' exceeds the limit of 128 characters.. /// - internal static string SQL_InvalidParameterNameLength { - get { + internal static string SQL_InvalidParameterNameLength + { + get + { return ResourceManager.GetString("SQL_InvalidParameterNameLength", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid 3 part name format for TypeName.. /// - internal static string SQL_InvalidParameterTypeNameFormat { - get { + internal static string SQL_InvalidParameterTypeNameFormat + { + get + { return ResourceManager.GetString("SQL_InvalidParameterTypeNameFormat", resourceCulture); } } - + /// /// Looks up a localized string similar to Server {0}, database {1} is not configured for database mirroring.. /// - internal static string SQL_InvalidPartnerConfiguration { - get { + internal static string SQL_InvalidPartnerConfiguration + { + get + { return ResourceManager.GetString("SQL_InvalidPartnerConfiguration", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to read when no data is present.. /// - internal static string SQL_InvalidRead { - get { + internal static string SQL_InvalidRead + { + get + { return ResourceManager.GetString("SQL_InvalidRead", resourceCulture); } } - + /// /// Looks up a localized string similar to The server certificate failed application validation.. /// - internal static string SQL_InvalidServerCertificate { - get { + internal static string SQL_InvalidServerCertificate + { + get + { return ResourceManager.GetString("SQL_InvalidServerCertificate", resourceCulture); } } - + /// /// Looks up a localized string similar to The SqlDbType '{0}' is invalid for {1}. Only {2} is supported.. /// - internal static string SQL_InvalidSqlDbTypeWithOneAllowedType { - get { + internal static string SQL_InvalidSqlDbTypeWithOneAllowedType + { + get + { return ResourceManager.GetString("SQL_InvalidSqlDbTypeWithOneAllowedType", resourceCulture); } } - + /// /// Looks up a localized string similar to Unsupported SQL Server version. The .NET Framework SqlClient Data Provider can only be used with SQL Server versions 7.0 and later.. /// - internal static string SQL_InvalidSQLServerVersionUnknown { - get { + internal static string SQL_InvalidSQLServerVersionUnknown + { + get + { return ResourceManager.GetString("SQL_InvalidSQLServerVersionUnknown", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid SSPI packet size.. /// - internal static string SQL_InvalidSSPIPacketSize { - get { + internal static string SQL_InvalidSSPIPacketSize + { + get + { return ResourceManager.GetString("SQL_InvalidSSPIPacketSize", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid Packet Size.. /// - internal static string SQL_InvalidTDSPacketSize { - get { + internal static string SQL_InvalidTDSPacketSize + { + get + { return ResourceManager.GetString("SQL_InvalidTDSPacketSize", resourceCulture); } } - + /// /// Looks up a localized string similar to The SQL Server instance returned an invalid or unsupported protocol version during login negotiation.. /// - internal static string SQL_InvalidTDSVersion { - get { + internal static string SQL_InvalidTDSVersion + { + get + { return ResourceManager.GetString("SQL_InvalidTDSVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid 3 part name format for UdtTypeName.. /// - internal static string SQL_InvalidUdt3PartNameFormat { - get { + internal static string SQL_InvalidUdt3PartNameFormat + { + get + { return ResourceManager.GetString("SQL_InvalidUdt3PartNameFormat", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use 'Authentication={0}' with 'Password' or 'PWD' connection string keywords.. /// - internal static string SQL_ManagedIdentityWithPassword { - get { + internal static string SQL_ManagedIdentityWithPassword + { + get + { return ResourceManager.GetString("SQL_ManagedIdentityWithPassword", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection does not support MultipleActiveResultSets.. /// - internal static string SQL_MarsUnsupportedOnConnection { - get { + internal static string SQL_MarsUnsupportedOnConnection + { + get + { return ResourceManager.GetString("SQL_MarsUnsupportedOnConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to MetaData parameter array must have length equivalent to ParameterDirection array argument.. /// - internal static string Sql_MismatchedMetaDataDirectionArrayLengths { - get { + internal static string Sql_MismatchedMetaDataDirectionArrayLengths + { + get + { return ResourceManager.GetString("Sql_MismatchedMetaDataDirectionArrayLengths", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlDbType.SmallMoney overflow. Value '{0}' is out of range. Must be between -214,748.3648 and 214,748.3647.. /// - internal static string SQL_MoneyOverflow { - get { + internal static string SQL_MoneyOverflow + { + get + { return ResourceManager.GetString("SQL_MoneyOverflow", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to authenticate the user {0} in Active Directory (Authentication={1}).. /// - internal static string SQL_MSALFailure { - get { + internal static string SQL_MSALFailure + { + get + { return ResourceManager.GetString("SQL_MSALFailure", resourceCulture); } } - + /// /// Looks up a localized string similar to Error code 0x{0}; state {1}. /// - internal static string SQL_MSALInnerException { - get { + internal static string SQL_MSALInnerException + { + get + { return ResourceManager.GetString("SQL_MSALInnerException", resourceCulture); } } - + /// /// Looks up a localized string similar to Nested TransactionScopes are not supported.. /// - internal static string SQL_NestedTransactionScopesNotSupported { - get { + internal static string SQL_NestedTransactionScopesNotSupported + { + get + { return ResourceManager.GetString("SQL_NestedTransactionScopesNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to GetBytes on column '{0}'. The GetBytes function can only be used on columns of type Text, NText, or Image.. /// - internal static string SQL_NonBlobColumn { - get { + internal static string SQL_NonBlobColumn + { + get + { return ResourceManager.GetString("SQL_NonBlobColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to GetChars on column '{0}'. The GetChars function can only be used on columns of type Text, NText, Xml, VarChar or NVarChar.. /// - internal static string SQL_NonCharColumn { - get { + internal static string SQL_NonCharColumn + { + get + { return ResourceManager.GetString("SQL_NonCharColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to SSE Instance re-direction is not supported for non-local user instances.. /// - internal static string SQL_NonLocalSSEInstance { - get { + internal static string SQL_NonLocalSSEInstance + { + get + { return ResourceManager.GetString("SQL_NonLocalSSEInstance", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid command sent to ExecuteXmlReader. The command must return an Xml result.. /// - internal static string SQL_NonXmlResult { - get { + internal static string SQL_NonXmlResult + { + get + { return ResourceManager.GetString("SQL_NonXmlResult", resourceCulture); } } - + /// /// Looks up a localized string similar to The requested operation is not available on the context connection.. /// - internal static string SQL_NotAvailableOnContextConnection { - get { + internal static string SQL_NotAvailableOnContextConnection + { + get + { return ResourceManager.GetString("SQL_NotAvailableOnContextConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to Notifications are not available on the context connection.. /// - internal static string SQL_NotificationsNotAvailableOnContextConnection { - get { + internal static string SQL_NotificationsNotAvailableOnContextConnection + { + get + { return ResourceManager.GetString("SQL_NotificationsNotAvailableOnContextConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to Notifications require SQL Server 9.0 or later.. /// - internal static string SQL_NotificationsRequireYukon { - get { + internal static string SQL_NotificationsRequireYukon + { + get + { return ResourceManager.GetString("SQL_NotificationsRequireYukon", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} enumeration value, {1}, is not supported by the .NET Framework SqlClient Data Provider.. /// - internal static string SQL_NotSupportedEnumerationValue { - get { + internal static string SQL_NotSupportedEnumerationValue + { + get + { return ResourceManager.GetString("SQL_NotSupportedEnumerationValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Command parameter must have a non null and non empty command text.. /// - internal static string Sql_NullCommandText { - get { + internal static string Sql_NullCommandText + { + get + { return ResourceManager.GetString("Sql_NullCommandText", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid transaction or invalid name for a point at which to save within the transaction.. /// - internal static string SQL_NullEmptyTransactionName { - get { + internal static string SQL_NullEmptyTransactionName + { + get + { return ResourceManager.GetString("SQL_NullEmptyTransactionName", resourceCulture); } } - + /// /// Looks up a localized string similar to Open result count exceeded.. /// - internal static string SQL_OpenResultCountExceeded { - get { + internal static string SQL_OpenResultCountExceeded + { + get + { return ResourceManager.GetString("SQL_OpenResultCountExceeded", resourceCulture); } } - + /// /// Looks up a localized string similar to Operation cancelled by user.. /// - internal static string SQL_OperationCancelled { - get { + internal static string SQL_OperationCancelled + { + get + { return ResourceManager.GetString("SQL_OperationCancelled", resourceCulture); } } - + /// /// Looks up a localized string similar to Parameter '{0}' cannot be null or empty.. /// - internal static string SQL_ParameterCannotBeEmpty { - get { + internal static string SQL_ParameterCannotBeEmpty + { + get + { return ResourceManager.GetString("SQL_ParameterCannotBeEmpty", resourceCulture); } } - + /// /// Looks up a localized string similar to Parameter '{0}' exceeds the size limit for the sql_variant datatype.. /// - internal static string SQL_ParameterInvalidVariant { - get { + internal static string SQL_ParameterInvalidVariant + { + get + { return ResourceManager.GetString("SQL_ParameterInvalidVariant", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} type parameter '{1}' must have a valid type name.. /// - internal static string SQL_ParameterTypeNameRequired { - get { + internal static string SQL_ParameterTypeNameRequired + { + get + { return ResourceManager.GetString("SQL_ParameterTypeNameRequired", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal connection fatal error.. /// - internal static string SQL_ParsingError { - get { + internal static string SQL_ParsingError + { + get + { return ResourceManager.GetString("SQL_ParsingError", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal connection fatal error. Error state: {0}, Authentication Library Type: {1}. /// - internal static string SQL_ParsingErrorAuthLibraryType { - get { + internal static string SQL_ParsingErrorAuthLibraryType + { + get + { return ResourceManager.GetString("SQL_ParsingErrorAuthLibraryType", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal connection fatal error. Error state: {0}, Feature Id: {1}. /// - internal static string SQL_ParsingErrorFeatureId { - get { + internal static string SQL_ParsingErrorFeatureId + { + get + { return ResourceManager.GetString("SQL_ParsingErrorFeatureId", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal connection fatal error. Error state: {0}, Length: {1}. /// - internal static string SQL_ParsingErrorLength { - get { + internal static string SQL_ParsingErrorLength + { + get + { return ResourceManager.GetString("SQL_ParsingErrorLength", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal connection fatal error. Error state: {0}, Offset: {1}. /// - internal static string SQL_ParsingErrorOffset { - get { + internal static string SQL_ParsingErrorOffset + { + get + { return ResourceManager.GetString("SQL_ParsingErrorOffset", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal connection fatal error. Error state: {0}, Status: {1}. /// - internal static string SQL_ParsingErrorStatus { - get { + internal static string SQL_ParsingErrorStatus + { + get + { return ResourceManager.GetString("SQL_ParsingErrorStatus", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal connection fatal error. Error state: {0}, Token : {1}. /// - internal static string SQL_ParsingErrorToken { - get { + internal static string SQL_ParsingErrorToken + { + get + { return ResourceManager.GetString("SQL_ParsingErrorToken", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal connection fatal error. Error state: {0}, Value: {1}. /// - internal static string SQL_ParsingErrorValue { - get { + internal static string SQL_ParsingErrorValue + { + get + { return ResourceManager.GetString("SQL_ParsingErrorValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal connection fatal error. Error state: {0}. /// - internal static string SQL_ParsingErrorWithState { - get { + internal static string SQL_ParsingErrorWithState + { + get + { return ResourceManager.GetString("SQL_ParsingErrorWithState", resourceCulture); } } - + /// /// Looks up a localized string similar to The command execution cannot proceed due to a pending asynchronous operation already in progress.. /// - internal static string SQL_PendingBeginXXXExists { - get { + internal static string SQL_PendingBeginXXXExists + { + get + { return ResourceManager.GetString("SQL_PendingBeginXXXExists", resourceCulture); } } - + /// /// Looks up a localized string similar to An error occurred with a prior row sent to the SqlPipe. SendResultsEnd must be called before anything else can be sent.. /// - internal static string SQL_PipeErrorRequiresSendEnd { - get { + internal static string SQL_PipeErrorRequiresSendEnd + { + get + { return ResourceManager.GetString("SQL_PipeErrorRequiresSendEnd", resourceCulture); } } - + /// /// Looks up a localized string similar to Precision value '{0}' is either less than 0 or greater than the maximum allowed precision of 38.. /// - internal static string SQL_PrecisionValueOutOfRange { - get { + internal static string SQL_PrecisionValueOutOfRange + { + get + { return ResourceManager.GetString("SQL_PrecisionValueOutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Scale value '{0}' is either less than 0 or greater than the maximum allowed scale of 38.. /// - internal static string SQL_ScaleValueOutOfRange { - get { + internal static string SQL_ScaleValueOutOfRange + { + get + { return ResourceManager.GetString("SQL_ScaleValueOutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set the Credential property if 'Authentication=Active Directory Device Code Flow' has been specified in the connection string.. /// - internal static string SQL_SettingCredentialWithDeviceFlow { - get { + internal static string SQL_SettingCredentialWithDeviceFlow + { + get + { return ResourceManager.GetString("SQL_SettingCredentialWithDeviceFlow", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set the Credential property if 'Authentication=Active Directory Integrated' has been specified in the connection string.. /// - internal static string SQL_SettingCredentialWithIntegrated { - get { + internal static string SQL_SettingCredentialWithIntegrated + { + get + { return ResourceManager.GetString("SQL_SettingCredentialWithIntegrated", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set the Credential property if 'Authentication=Active Directory Interactive' has been specified in the connection string.. /// - internal static string SQL_SettingCredentialWithInteractive { - get { + internal static string SQL_SettingCredentialWithInteractive + { + get + { return ResourceManager.GetString("SQL_SettingCredentialWithInteractive", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set the Credential property if 'Authentication={0}' has been specified in the connection string.. /// - internal static string SQL_SettingCredentialWithManagedIdentity { - get { + internal static string SQL_SettingCredentialWithManagedIdentity + { + get + { return ResourceManager.GetString("SQL_SettingCredentialWithManagedIdentity", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use 'Authentication=Active Directory Device Code Flow', if the Credential property has been set.. /// - internal static string SQL_SettingDeviceFlowWithCredential { - get { + internal static string SQL_SettingDeviceFlowWithCredential + { + get + { return ResourceManager.GetString("SQL_SettingDeviceFlowWithCredential", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use 'Authentication=Active Directory Integrated', if the Credential property has been set.. /// - internal static string SQL_SettingIntegratedWithCredential { - get { + internal static string SQL_SettingIntegratedWithCredential + { + get + { return ResourceManager.GetString("SQL_SettingIntegratedWithCredential", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use 'Authentication=Active Directory Interactive', if the Credential property has been set.. /// - internal static string SQL_SettingInteractiveWithCredential { - get { + internal static string SQL_SettingInteractiveWithCredential + { + get + { return ResourceManager.GetString("SQL_SettingInteractiveWithCredential", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use 'Authentication={0}', if the Credential property has been set.. /// - internal static string SQL_SettingManagedIdentityWithCredential { - get { + internal static string SQL_SettingManagedIdentityWithCredential + { + get + { return ResourceManager.GetString("SQL_SettingManagedIdentityWithCredential", resourceCulture); } } - + /// /// Looks up a localized string similar to A severe error occurred on the current command. The results, if any, should be discarded.. /// - internal static string SQL_SevereError { - get { + internal static string SQL_SevereError + { + get + { return ResourceManager.GetString("SQL_SevereError", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlDbType.SmallDateTime overflow. Value '{0}' is out of range. Must be between 1/1/1900 12:00:00 AM and 6/6/2079 11:59:59 PM.. /// - internal static string SQL_SmallDateTimeOverflow { - get { + internal static string SQL_SmallDateTimeOverflow + { + get + { return ResourceManager.GetString("SQL_SmallDateTimeOverflow", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} enumeration value, {1}, is not supported by SQL Server 7.0 or SQL Server 2000.. /// - internal static string SQL_SnapshotNotSupported { - get { + internal static string SQL_SnapshotNotSupported + { + get + { return ResourceManager.GetString("SQL_SnapshotNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Memory allocation for internal connection failed.. /// - internal static string SQL_SNIPacketAllocationFailure { - get { + internal static string SQL_SNIPacketAllocationFailure + { + get + { return ResourceManager.GetString("SQL_SNIPacketAllocationFailure", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlCommand.DeriveParameters failed because the SqlCommand.CommandText property value is an invalid multipart name. /// - internal static string SQL_SqlCommandCommandText { - get { + internal static string SQL_SqlCommandCommandText + { + get + { return ResourceManager.GetString("SQL_SqlCommandCommandText", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}' cannot be called when the record is read only.. /// - internal static string SQL_SqlRecordReadOnly { - get { + internal static string SQL_SqlRecordReadOnly + { + get + { return ResourceManager.GetString("SQL_SqlRecordReadOnly", resourceCulture); } } - + /// /// Looks up a localized string similar to Operation cannot be completed because the record is read only.. /// - internal static string SQL_SqlRecordReadOnly2 { - get { + internal static string SQL_SqlRecordReadOnly2 + { + get + { return ResourceManager.GetString("SQL_SqlRecordReadOnly2", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to call method {0} when SqlResultSet is closed.. /// - internal static string SQL_SqlResultSetClosed { - get { + internal static string SQL_SqlResultSetClosed + { + get + { return ResourceManager.GetString("SQL_SqlResultSetClosed", resourceCulture); } } - + /// /// Looks up a localized string similar to Operation cannot be completed because the SqlResultSet is closed.. /// - internal static string SQL_SqlResultSetClosed2 { - get { + internal static string SQL_SqlResultSetClosed2 + { + get + { return ResourceManager.GetString("SQL_SqlResultSetClosed2", resourceCulture); } } - + /// /// Looks up a localized string similar to Operation cannot be completed because the command that created the SqlResultSet has been dissociated from the original connection. SqlResultSet is closed.. /// - internal static string SQL_SqlResultSetCommandNotInSameConnection { - get { + internal static string SQL_SqlResultSetCommandNotInSameConnection + { + get + { return ResourceManager.GetString("SQL_SqlResultSetCommandNotInSameConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlResultSet could not be created for the given query with the desired options.. /// - internal static string SQL_SqlResultSetNoAcceptableCursor { - get { + internal static string SQL_SqlResultSetNoAcceptableCursor + { + get + { return ResourceManager.GetString("SQL_SqlResultSetNoAcceptableCursor", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to call method {0} when the current row is deleted. /// - internal static string SQL_SqlResultSetRowDeleted { - get { + internal static string SQL_SqlResultSetRowDeleted + { + get + { return ResourceManager.GetString("SQL_SqlResultSetRowDeleted", resourceCulture); } } - + /// /// Looks up a localized string similar to Operation cannot be completed because the current row is deleted. /// - internal static string SQL_SqlResultSetRowDeleted2 { - get { + internal static string SQL_SqlResultSetRowDeleted2 + { + get + { return ResourceManager.GetString("SQL_SqlResultSetRowDeleted2", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}' cannot be called when the SqlDataRecord is read only.. /// - internal static string SQL_SqlUpdatableRecordReadOnly { - get { + internal static string SQL_SqlUpdatableRecordReadOnly + { + get + { return ResourceManager.GetString("SQL_SqlUpdatableRecordReadOnly", resourceCulture); } } - + /// /// Looks up a localized string similar to The target principal name is incorrect. Cannot generate SSPI context.. /// - internal static string SQL_SSPIGenerateError { - get { + internal static string SQL_SSPIGenerateError + { + get + { return ResourceManager.GetString("SQL_SSPIGenerateError", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot initialize SSPI package.. /// - internal static string SQL_SSPIInitializeError { - get { + internal static string SQL_SSPIInitializeError + { + get + { return ResourceManager.GetString("SQL_SSPIInitializeError", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to GetStream on column '{0}'. The GetStream function can only be used on columns of type Binary, Image, Udt or VarBinary.. /// - internal static string SQL_StreamNotSupportOnColumnType { - get { + internal static string SQL_StreamNotSupportOnColumnType + { + get + { return ResourceManager.GetString("SQL_StreamNotSupportOnColumnType", resourceCulture); } } - + /// /// Looks up a localized string similar to The Stream does not support reading.. /// - internal static string SQL_StreamReadNotSupported { - get { + internal static string SQL_StreamReadNotSupported + { + get + { return ResourceManager.GetString("SQL_StreamReadNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to The Stream does not support seeking.. /// - internal static string SQL_StreamSeekNotSupported { - get { + internal static string SQL_StreamSeekNotSupported + { + get + { return ResourceManager.GetString("SQL_StreamSeekNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to The Stream does not support writing.. /// - internal static string SQL_StreamWriteNotSupported { - get { + internal static string SQL_StreamWriteNotSupported + { + get + { return ResourceManager.GetString("SQL_StreamWriteNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Processing of results from SQL Server failed because of an invalid multipart name. /// - internal static string SQL_TDSParserTableName { - get { + internal static string SQL_TDSParserTableName + { + get + { return ResourceManager.GetString("SQL_TDSParserTableName", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to GetTextReader on column '{0}'. The GetTextReader function can only be used on columns of type Char, NChar, NText, NVarChar, Text or VarChar.. /// - internal static string SQL_TextReaderNotSupportOnColumnType { - get { + internal static string SQL_TextReaderNotSupportOnColumnType + { + get + { return ResourceManager.GetString("SQL_TextReaderNotSupportOnColumnType", resourceCulture); } } - + /// /// Looks up a localized string similar to Timeout expired. The timeout period elapsed prior to completion of the operation or the server is not responding.. /// - internal static string SQL_Timeout { - get { + internal static string SQL_Timeout + { + get + { return ResourceManager.GetString("SQL_Timeout", resourceCulture); } } - + /// /// Looks up a localized string similar to Active Directory Device Code Flow authentication timed out. The user took too long to respond to the authentication request.. /// - internal static string SQL_Timeout_Active_Directory_DeviceFlow_Authentication { - get { + internal static string SQL_Timeout_Active_Directory_DeviceFlow_Authentication + { + get + { return ResourceManager.GetString("SQL_Timeout_Active_Directory_DeviceFlow_Authentication", resourceCulture); } } - + /// /// Looks up a localized string similar to Active Directory Interactive authentication timed out. The user took too long to respond to the authentication request.. /// - internal static string SQL_Timeout_Active_Directory_Interactive_Authentication { - get { + internal static string SQL_Timeout_Active_Directory_Interactive_Authentication + { + get + { return ResourceManager.GetString("SQL_Timeout_Active_Directory_Interactive_Authentication", resourceCulture); } } - + /// /// Looks up a localized string similar to Execution Timeout Expired. The timeout period elapsed prior to completion of the operation or the server is not responding.. /// - internal static string SQL_Timeout_Execution { - get { + internal static string SQL_Timeout_Execution + { + get + { return ResourceManager.GetString("SQL_Timeout_Execution", resourceCulture); } } - + /// /// Looks up a localized string similar to This failure occurred while attempting to connect to the {0} server.. /// - internal static string SQL_Timeout_FailoverInfo { - get { + internal static string SQL_Timeout_FailoverInfo + { + get + { return ResourceManager.GetString("SQL_Timeout_FailoverInfo", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection Timeout Expired. The timeout period elapsed at the start of the login phase. This could be because of insufficient time provided for connection timeout.. /// - internal static string SQL_Timeout_Login_Begin { - get { + internal static string SQL_Timeout_Login_Begin + { + get + { return ResourceManager.GetString("SQL_Timeout_Login_Begin", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection Timeout Expired. The timeout period elapsed while attempting to authenticate the login. This could be because the server failed to authenticate the user or the server was unable to respond back in time.. /// - internal static string SQL_Timeout_Login_ProcessConnectionAuth { - get { + internal static string SQL_Timeout_Login_ProcessConnectionAuth + { + get + { return ResourceManager.GetString("SQL_Timeout_Login_ProcessConnectionAuth", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection Timeout Expired. The timeout period elapsed during the post-login phase. The connection could have timed out while waiting for server to complete the login process and respond; Or it could have timed out while attempting to create multiple active connections.. /// - internal static string SQL_Timeout_PostLogin { - get { + internal static string SQL_Timeout_PostLogin + { + get + { return ResourceManager.GetString("SQL_Timeout_PostLogin", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection Timeout Expired. The timeout period elapsed at the start of the pre-login phase. This could be because of insufficient time provided for connection timeout.. /// - internal static string SQL_Timeout_PreLogin_Begin { - get { + internal static string SQL_Timeout_PreLogin_Begin + { + get + { return ResourceManager.GetString("SQL_Timeout_PreLogin_Begin", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection Timeout Expired. The timeout period elapsed while attempting to consume the pre-login handshake acknowledgement. This could be because the pre-login handshake failed or the server was unable to respond back in time.. /// - internal static string SQL_Timeout_PreLogin_ConsumeHandshake { - get { + internal static string SQL_Timeout_PreLogin_ConsumeHandshake + { + get + { return ResourceManager.GetString("SQL_Timeout_PreLogin_ConsumeHandshake", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection Timeout Expired. The timeout period elapsed while attempting to create and initialize a socket to the server. This could be either because the server was unreachable or unable to respond back in time.. /// - internal static string SQL_Timeout_PreLogin_InitializeConnection { - get { + internal static string SQL_Timeout_PreLogin_InitializeConnection + { + get + { return ResourceManager.GetString("SQL_Timeout_PreLogin_InitializeConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection Timeout Expired. The timeout period elapsed while making a pre-login handshake request. This could be because the server was unable to respond back in time.. /// - internal static string SQL_Timeout_PreLogin_SendHandshake { - get { + internal static string SQL_Timeout_PreLogin_SendHandshake + { + get + { return ResourceManager.GetString("SQL_Timeout_PreLogin_SendHandshake", resourceCulture); } } - + /// /// Looks up a localized string similar to This failure occurred while attempting to connect to the routing destination. The duration spent while attempting to connect to the original server was - [Pre-Login] initialization={0}; handshake={1}; [Login] initialization={2}; authentication={3}; [Post-Login] complete={4}; . /// - internal static string SQL_Timeout_RoutingDestinationInfo { - get { + internal static string SQL_Timeout_RoutingDestinationInfo + { + get + { return ResourceManager.GetString("SQL_Timeout_RoutingDestinationInfo", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlDbType.Time overflow. Value '{0}' is out of range. Must be between 00:00:00.0000000 and 23:59:59.9999999.. /// - internal static string SQL_TimeOverflow { - get { + internal static string SQL_TimeOverflow + { + get + { return ResourceManager.GetString("SQL_TimeOverflow", resourceCulture); } } - + /// /// Looks up a localized string similar to Scale value '{0}' is either less than 0 or greater than the maximum allowed scale of 7.. /// - internal static string SQL_TimeScaleValueOutOfRange { - get { + internal static string SQL_TimeScaleValueOutOfRange + { + get + { return ResourceManager.GetString("SQL_TimeScaleValueOutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Too many values.. /// - internal static string SQL_TooManyValues { - get { + internal static string SQL_TooManyValues + { + get + { return ResourceManager.GetString("SQL_TooManyValues", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlParameter.TypeName is an invalid multipart name. /// - internal static string SQL_TypeName { - get { + internal static string SQL_TypeName + { + get + { return ResourceManager.GetString("SQL_TypeName", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlParameter.UdtTypeName is an invalid multipart name. /// - internal static string SQL_UDTTypeName { - get { + internal static string SQL_UDTTypeName + { + get + { return ResourceManager.GetString("SQL_UDTTypeName", resourceCulture); } } - + /// /// Looks up a localized string similar to Unexpected server event: {0}.. /// - internal static string SQL_UnexpectedSmiEvent { - get { + internal static string SQL_UnexpectedSmiEvent + { + get + { return ResourceManager.GetString("SQL_UnexpectedSmiEvent", resourceCulture); } } - + /// /// Looks up a localized string similar to Unrecognized System.Transactions.IsolationLevel enumeration value: {0}.. /// - internal static string SQL_UnknownSysTxIsolationLevel { - get { + internal static string SQL_UnknownSysTxIsolationLevel + { + get + { return ResourceManager.GetString("SQL_UnknownSysTxIsolationLevel", resourceCulture); } } - + /// /// Looks up a localized string similar to The authentication '{0}' is not supported.. /// - internal static string SQL_UnsupportedAuthentication { - get { + internal static string SQL_UnsupportedAuthentication + { + get + { return ResourceManager.GetString("SQL_UnsupportedAuthentication", resourceCulture); } } - + /// /// Looks up a localized string similar to The provider '{0}' does not support authentication '{1}'.. /// - internal static string SQL_UnsupportedAuthenticationByProvider { - get { + internal static string SQL_UnsupportedAuthenticationByProvider + { + get + { return ResourceManager.GetString("SQL_UnsupportedAuthenticationByProvider", resourceCulture); } } - + /// /// Looks up a localized string similar to Unsupported authentication specified in this context: {0}. /// - internal static string SQL_UnsupportedAuthenticationSpecified { - get { + internal static string SQL_UnsupportedAuthenticationSpecified + { + get + { return ResourceManager.GetString("SQL_UnsupportedAuthenticationSpecified", resourceCulture); } } - + /// /// Looks up a localized string similar to SQL authentication method '{0}' is not supported.. /// - internal static string SQL_UnsupportedSqlAuthenticationMethod { - get { + internal static string SQL_UnsupportedSqlAuthenticationMethod + { + get + { return ResourceManager.GetString("SQL_UnsupportedSqlAuthenticationMethod", resourceCulture); } } - + /// /// Looks up a localized string similar to User Instance and Failover are not compatible options. Please choose only one of the two in the connection string.. /// - internal static string SQL_UserInstanceFailoverNotCompatible { - get { + internal static string SQL_UserInstanceFailoverNotCompatible + { + get + { return ResourceManager.GetString("SQL_UserInstanceFailoverNotCompatible", resourceCulture); } } - + /// /// Looks up a localized string similar to A user instance was requested in the connection string but the server specified does not support this option.. /// - internal static string SQL_UserInstanceFailure { - get { + internal static string SQL_UserInstanceFailure + { + get + { return ResourceManager.GetString("SQL_UserInstanceFailure", resourceCulture); } } - + /// /// Looks up a localized string similar to User instances are not allowed when running in the Sql Server process.. /// - internal static string SQL_UserInstanceNotAvailableInProc { - get { + internal static string SQL_UserInstanceNotAvailableInProc + { + get + { return ResourceManager.GetString("SQL_UserInstanceNotAvailableInProc", resourceCulture); } } - + /// /// Looks up a localized string similar to Expecting argument of type {1}, but received type {0}.. /// - internal static string SQL_WrongType { - get { + internal static string SQL_WrongType + { + get + { return ResourceManager.GetString("SQL_WrongType", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to GetXmlReader on column '{0}'. The GetXmlReader function can only be used on columns of type Xml.. /// - internal static string SQL_XmlReaderNotSupportOnColumnType { - get { + internal static string SQL_XmlReaderNotSupportOnColumnType + { + get + { return ResourceManager.GetString("SQL_XmlReaderNotSupportOnColumnType", resourceCulture); } } - + /// /// Looks up a localized string similar to Notification values used by Microsoft SQL Server.. /// - internal static string SqlCommand_Notification { - get { + internal static string SqlCommand_Notification + { + get + { return ResourceManager.GetString("SqlCommand_Notification", resourceCulture); } } - + /// /// Looks up a localized string similar to Automatic enlistment in notifications used by Microsoft SQL Server.. /// - internal static string SqlCommand_NotificationAutoEnlist { - get { + internal static string SqlCommand_NotificationAutoEnlist + { + get + { return ResourceManager.GetString("SqlCommand_NotificationAutoEnlist", resourceCulture); } } - + /// /// Looks up a localized string similar to The DataAdapter for which to automatically generate SqlCommands. /// - internal static string SqlCommandBuilder_DataAdapter { - get { + internal static string SqlCommandBuilder_DataAdapter + { + get + { return ResourceManager.GetString("SqlCommandBuilder_DataAdapter", resourceCulture); } } - + /// /// Looks up a localized string similar to The decimal separator used in numeric literals.. /// - internal static string SqlCommandBuilder_DecimalSeparator { - get { + internal static string SqlCommandBuilder_DecimalSeparator + { + get + { return ResourceManager.GetString("SqlCommandBuilder_DecimalSeparator", resourceCulture); } } - + /// /// Looks up a localized string similar to The character used in a text command as the opening quote for quoting identifiers that contain special characters.. /// - internal static string SqlCommandBuilder_QuotePrefix { - get { + internal static string SqlCommandBuilder_QuotePrefix + { + get + { return ResourceManager.GetString("SqlCommandBuilder_QuotePrefix", resourceCulture); } } - + /// /// Looks up a localized string similar to The character used in a text command as the closing quote for quoting identifiers that contain special characters.. /// - internal static string SqlCommandBuilder_QuoteSuffix { - get { + internal static string SqlCommandBuilder_QuoteSuffix + { + get + { return ResourceManager.GetString("SqlCommandBuilder_QuoteSuffix", resourceCulture); } } - + /// /// Looks up a localized string similar to Access token to use for authentication.. /// - internal static string SqlConnection_AccessToken { - get { + internal static string SqlConnection_AccessToken + { + get + { return ResourceManager.GetString("SqlConnection_AccessToken", resourceCulture); } } - + /// /// Looks up a localized string similar to State of connection, synchronous or asynchronous. 'Asynchronous Processing=x' in the connection string.. /// - internal static string SqlConnection_Asynchronous { - get { + internal static string SqlConnection_Asynchronous + { + get + { return ResourceManager.GetString("SqlConnection_Asynchronous", resourceCulture); } } - + /// /// Looks up a localized string similar to A guid to represent the physical connection.. /// - internal static string SqlConnection_ClientConnectionId { - get { + internal static string SqlConnection_ClientConnectionId + { + get + { return ResourceManager.GetString("SqlConnection_ClientConnectionId", resourceCulture); } } - + /// /// Looks up a localized string similar to Information used to connect to a DataSource, such as 'Data Source=x;Initial Catalog=x;Integrated Security=SSPI'.. /// - internal static string SqlConnection_ConnectionString { - get { + internal static string SqlConnection_ConnectionString + { + get + { return ResourceManager.GetString("SqlConnection_ConnectionString", resourceCulture); } } - + /// /// Looks up a localized string similar to Current connection timeout value, 'Connect Timeout=X' in the ConnectionString.. /// - internal static string SqlConnection_ConnectionTimeout { - get { + internal static string SqlConnection_ConnectionTimeout + { + get + { return ResourceManager.GetString("SqlConnection_ConnectionTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to User Id and secure password to use for authentication.. /// - internal static string SqlConnection_Credential { - get { + internal static string SqlConnection_Credential + { + get + { return ResourceManager.GetString("SqlConnection_Credential", resourceCulture); } } - + /// /// Looks up a localized string similar to Custom column encryption key store providers.. /// - internal static string SqlConnection_CustomColumnEncryptionKeyStoreProviders { - get { + internal static string SqlConnection_CustomColumnEncryptionKeyStoreProviders + { + get + { return ResourceManager.GetString("SqlConnection_CustomColumnEncryptionKeyStoreProviders", resourceCulture); } } - + /// /// Looks up a localized string similar to Current SQL Server database, 'Initial Catalog=X' in the connection string.. /// - internal static string SqlConnection_Database { - get { + internal static string SqlConnection_Database + { + get + { return ResourceManager.GetString("SqlConnection_Database", resourceCulture); } } - + /// /// Looks up a localized string similar to Current SqlServer that the connection is opened to, 'Data Source=X' in the connection string.. /// - internal static string SqlConnection_DataSource { - get { + internal static string SqlConnection_DataSource + { + get + { return ResourceManager.GetString("SqlConnection_DataSource", resourceCulture); } } - + /// /// Looks up a localized string similar to Network packet size, 'Packet Size=x' in the connection string.. /// - internal static string SqlConnection_PacketSize { - get { + internal static string SqlConnection_PacketSize + { + get + { return ResourceManager.GetString("SqlConnection_PacketSize", resourceCulture); } } - + /// /// Looks up a localized string similar to Information used to connect for replication.. /// - internal static string SqlConnection_Replication { - get { + internal static string SqlConnection_Replication + { + get + { return ResourceManager.GetString("SqlConnection_Replication", resourceCulture); } } - + /// /// Looks up a localized string similar to Server Process Id (SPID) of the active connection.. /// - internal static string SqlConnection_ServerProcessId { - get { + internal static string SqlConnection_ServerProcessId + { + get + { return ResourceManager.GetString("SqlConnection_ServerProcessId", resourceCulture); } } - + /// /// Looks up a localized string similar to Version of the SQL Server accessed by the SqlConnection.. /// - internal static string SqlConnection_ServerVersion { - get { + internal static string SqlConnection_ServerVersion + { + get + { return ResourceManager.GetString("SqlConnection_ServerVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to Collect statistics for this connection.. /// - internal static string SqlConnection_StatisticsEnabled { - get { + internal static string SqlConnection_StatisticsEnabled + { + get + { return ResourceManager.GetString("SqlConnection_StatisticsEnabled", resourceCulture); } } - + /// /// Looks up a localized string similar to Workstation Id, 'Workstation ID=x' in the connection string.. /// - internal static string SqlConnection_WorkstationId { - get { + internal static string SqlConnection_WorkstationId + { + get + { return ResourceManager.GetString("SqlConnection_WorkstationId", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot convert object of type '{0}' to object of type '{1}'.. /// - internal static string SqlConvert_ConvertFailed { - get { + internal static string SqlConvert_ConvertFailed + { + get + { return ResourceManager.GetString("SqlConvert_ConvertFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection is broken and recovery is not possible. The client driver attempted to recover the connection one or more times and all attempts failed. Increase the value of ConnectRetryCount to increase the number of recovery attempts.. /// - internal static string SQLCR_AllAttemptsFailed { - get { + internal static string SQLCR_AllAttemptsFailed + { + get + { return ResourceManager.GetString("SQLCR_AllAttemptsFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to The server did not preserve SSL encryption during a recovery attempt, connection recovery is not possible.. /// - internal static string SQLCR_EncryptionChanged { - get { + internal static string SQLCR_EncryptionChanged + { + get + { return ResourceManager.GetString("SQLCR_EncryptionChanged", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid ConnectRetryCount value (should be 0-255).. /// - internal static string SQLCR_InvalidConnectRetryCountValue { - get { + internal static string SQLCR_InvalidConnectRetryCountValue + { + get + { return ResourceManager.GetString("SQLCR_InvalidConnectRetryCountValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid ConnectRetryInterval value (should be 1-60).. /// - internal static string SQLCR_InvalidConnectRetryIntervalValue { - get { + internal static string SQLCR_InvalidConnectRetryIntervalValue + { + get + { return ResourceManager.GetString("SQLCR_InvalidConnectRetryIntervalValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Next reconnection attempt will exceed query timeout. Reconnection was terminated.. /// - internal static string SQLCR_NextAttemptWillExceedQueryTimeout { - get { + internal static string SQLCR_NextAttemptWillExceedQueryTimeout + { + get + { return ResourceManager.GetString("SQLCR_NextAttemptWillExceedQueryTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to The server did not acknowledge a recovery attempt, connection recovery is not possible.. /// - internal static string SQLCR_NoCRAckAtReconnection { - get { + internal static string SQLCR_NoCRAckAtReconnection + { + get + { return ResourceManager.GetString("SQLCR_NoCRAckAtReconnection", resourceCulture); } } - + /// /// Looks up a localized string similar to The server did not preserve the exact client TDS version requested during a recovery attempt, connection recovery is not possible.. /// - internal static string SQLCR_TDSVestionNotPreserved { - get { + internal static string SQLCR_TDSVestionNotPreserved + { + get + { return ResourceManager.GetString("SQLCR_TDSVestionNotPreserved", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection is broken and recovery is not possible. The connection is marked by the client driver as unrecoverable. No attempt was made to restore the connection.. /// - internal static string SQLCR_UnrecoverableClient { - get { + internal static string SQLCR_UnrecoverableClient + { + get + { return ResourceManager.GetString("SQLCR_UnrecoverableClient", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection is broken and recovery is not possible. The connection is marked by the server as unrecoverable. No attempt was made to restore the connection.. /// - internal static string SQLCR_UnrecoverableServer { - get { + internal static string SQLCR_UnrecoverableServer + { + get + { return ResourceManager.GetString("SQLCR_UnrecoverableServer", resourceCulture); } } - + /// /// Looks up a localized string similar to Failure while attempting to promote transaction.. /// - internal static string SqlDelegatedTransaction_PromotionFailed { - get { + internal static string SqlDelegatedTransaction_PromotionFailed + { + get + { return ResourceManager.GetString("SqlDelegatedTransaction_PromotionFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to To add a command to existing dependency object.. /// - internal static string SqlDependency_AddCommandDependency { - get { + internal static string SqlDependency_AddCommandDependency + { + get + { return ResourceManager.GetString("SqlDependency_AddCommandDependency", resourceCulture); } } - + /// /// Looks up a localized string similar to The SQL Server Service Broker for the current database is not enabled, and as a result query notifications are not supported. Please enable the Service Broker for this database if you wish to use notifications.. /// - internal static string SqlDependency_DatabaseBrokerDisabled { - get { + internal static string SqlDependency_DatabaseBrokerDisabled + { + get + { return ResourceManager.GetString("SqlDependency_DatabaseBrokerDisabled", resourceCulture); } } - + /// /// Looks up a localized string similar to When using SqlDependency without providing an options value, SqlDependency.Start() must be called prior to execution of a command added to the SqlDependency instance.. /// - internal static string SqlDependency_DefaultOptionsButNoStart { - get { + internal static string SqlDependency_DefaultOptionsButNoStart + { + get + { return ResourceManager.GetString("SqlDependency_DefaultOptionsButNoStart", resourceCulture); } } - + /// /// Looks up a localized string similar to Command is already associated with another dependency object. Can not overwrite.. /// - internal static string SqlDependency_Duplicate { - get { + internal static string SqlDependency_Duplicate + { + get + { return ResourceManager.GetString("SqlDependency_Duplicate", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlDependency does not support calling Start() with different connection strings having the same server, user, and database in the same app domain.. /// - internal static string SqlDependency_DuplicateStart { - get { + internal static string SqlDependency_DuplicateStart + { + get + { return ResourceManager.GetString("SqlDependency_DuplicateStart", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlDependency.OnChange does not support multiple event registrations for the same delegate.. /// - internal static string SqlDependency_EventNoDuplicate { - get { + internal static string SqlDependency_EventNoDuplicate + { + get + { return ResourceManager.GetString("SqlDependency_EventNoDuplicate", resourceCulture); } } - + /// /// Looks up a localized string similar to Property to indicate if this dependency is invalid.. /// - internal static string SqlDependency_HasChanges { - get { + internal static string SqlDependency_HasChanges + { + get + { return ResourceManager.GetString("SqlDependency_HasChanges", resourceCulture); } } - + /// /// Looks up a localized string similar to A string that uniquely identifies this dependency object.. /// - internal static string SqlDependency_Id { - get { + internal static string SqlDependency_Id + { + get + { return ResourceManager.GetString("SqlDependency_Id", resourceCulture); } } - + /// /// Looks up a localized string similar to No SqlDependency exists for the key.. /// - internal static string SqlDependency_IdMismatch { - get { + internal static string SqlDependency_IdMismatch + { + get + { return ResourceManager.GetString("SqlDependency_IdMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Timeout specified is invalid. Timeout cannot be < 0.. /// - internal static string SqlDependency_InvalidTimeout { - get { + internal static string SqlDependency_InvalidTimeout + { + get + { return ResourceManager.GetString("SqlDependency_InvalidTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlDependency.Start has been called for the server the command is executing against more than once, but there is no matching server/user/database Start() call for current command.. /// - internal static string SqlDependency_NoMatchingServerDatabaseStart { - get { + internal static string SqlDependency_NoMatchingServerDatabaseStart + { + get + { return ResourceManager.GetString("SqlDependency_NoMatchingServerDatabaseStart", resourceCulture); } } - + /// /// Looks up a localized string similar to When using SqlDependency without providing an options value, SqlDependency.Start() must be called for each server that is being executed against.. /// - internal static string SqlDependency_NoMatchingServerStart { - get { + internal static string SqlDependency_NoMatchingServerStart + { + get + { return ResourceManager.GetString("SqlDependency_NoMatchingServerStart", resourceCulture); } } - + /// /// Looks up a localized string similar to Event that can be used to subscribe for change notifications.. /// - internal static string SqlDependency_OnChange { - get { + internal static string SqlDependency_OnChange + { + get + { return ResourceManager.GetString("SqlDependency_OnChange", resourceCulture); } } - + /// /// Looks up a localized string similar to Dependency object used to receive query notifications.. /// - internal static string SqlDependency_SqlDependency { - get { + internal static string SqlDependency_SqlDependency + { + get + { return ResourceManager.GetString("SqlDependency_SqlDependency", resourceCulture); } } - + + /// + /// Looks up a localized string similar to Unexpected type detected on deserialize.. + /// + internal static string SqlDependency_UnexpectedValueOnDeserialize + { + get + { + return ResourceManager.GetString("SqlDependency_UnexpectedValueOnDeserialize", resourceCulture); + } + } + /// /// Looks up a localized string similar to The process cannot access the file specified because it has been opened in another transaction.. /// - internal static string SqlFileStream_FileAlreadyInTransaction { - get { + internal static string SqlFileStream_FileAlreadyInTransaction + { + get + { return ResourceManager.GetString("SqlFileStream_FileAlreadyInTransaction", resourceCulture); } } - + /// /// Looks up a localized string similar to An invalid parameter was passed to the function.. /// - internal static string SqlFileStream_InvalidParameter { - get { + internal static string SqlFileStream_InvalidParameter + { + get + { return ResourceManager.GetString("SqlFileStream_InvalidParameter", resourceCulture); } } - + /// /// Looks up a localized string similar to The path name is not valid.. /// - internal static string SqlFileStream_InvalidPath { - get { + internal static string SqlFileStream_InvalidPath + { + get + { return ResourceManager.GetString("SqlFileStream_InvalidPath", resourceCulture); } } - + /// /// Looks up a localized string similar to The path name is invalid or does not point to a disk file.. /// - internal static string SqlFileStream_PathNotValidDiskResource { - get { + internal static string SqlFileStream_PathNotValidDiskResource + { + get + { return ResourceManager.GetString("SqlFileStream_PathNotValidDiskResource", resourceCulture); } } - + /// /// Looks up a localized string similar to The dbType {0} is invalid for this constructor.. /// - internal static string SqlMetaData_InvalidSqlDbTypeForConstructorFormat { - get { + internal static string SqlMetaData_InvalidSqlDbTypeForConstructorFormat + { + get + { return ResourceManager.GetString("SqlMetaData_InvalidSqlDbTypeForConstructorFormat", resourceCulture); } } - + /// /// Looks up a localized string similar to The name is too long.. /// - internal static string SqlMetaData_NameTooLong { - get { + internal static string SqlMetaData_NameTooLong + { + get + { return ResourceManager.GetString("SqlMetaData_NameTooLong", resourceCulture); } } - + /// /// Looks up a localized string similar to GetMetaData is not valid for this SqlDbType.. /// - internal static string SqlMetaData_NoMetadata { - get { + internal static string SqlMetaData_NoMetadata + { + get + { return ResourceManager.GetString("SqlMetaData_NoMetadata", resourceCulture); } } - + /// /// Looks up a localized string similar to The sort order and ordinal must either both be specified, or neither should be specified (SortOrder.Unspecified and -1). The values given were: order = {0}, ordinal = {1}.. /// - internal static string SqlMetaData_SpecifyBothSortOrderAndOrdinal { - get { + internal static string SqlMetaData_SpecifyBothSortOrderAndOrdinal + { + get + { return ResourceManager.GetString("SqlMetaData_SpecifyBothSortOrderAndOrdinal", resourceCulture); } } - + /// /// Looks up a localized string similar to SQL Type has already been loaded with data.. /// - internal static string SqlMisc_AlreadyFilledMessage { - get { + internal static string SqlMisc_AlreadyFilledMessage + { + get + { return ResourceManager.GetString("SqlMisc_AlreadyFilledMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Arithmetic Overflow.. /// - internal static string SqlMisc_ArithOverflowMessage { - get { + internal static string SqlMisc_ArithOverflowMessage + { + get + { return ResourceManager.GetString("SqlMisc_ArithOverflowMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to The buffer is insufficient. Read or write operation failed.. /// - internal static string SqlMisc_BufferInsufficientMessage { - get { + internal static string SqlMisc_BufferInsufficientMessage + { + get + { return ResourceManager.GetString("SqlMisc_BufferInsufficientMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to access a closed XmlReader.. /// - internal static string SqlMisc_ClosedXmlReaderMessage { - get { + internal static string SqlMisc_ClosedXmlReaderMessage + { + get + { return ResourceManager.GetString("SqlMisc_ClosedXmlReaderMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Two strings to be compared have different collation.. /// - internal static string SqlMisc_CompareDiffCollationMessage { - get { + internal static string SqlMisc_CompareDiffCollationMessage + { + get + { return ResourceManager.GetString("SqlMisc_CompareDiffCollationMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Two strings to be concatenated have different collation.. /// - internal static string SqlMisc_ConcatDiffCollationMessage { - get { + internal static string SqlMisc_ConcatDiffCollationMessage + { + get + { return ResourceManager.GetString("SqlMisc_ConcatDiffCollationMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Conversion overflows.. /// - internal static string SqlMisc_ConversionOverflowMessage { - get { + internal static string SqlMisc_ConversionOverflowMessage + { + get + { return ResourceManager.GetString("SqlMisc_ConversionOverflowMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlDateTime overflow. Must be between 1/1/1753 12:00:00 AM and 12/31/9999 11:59:59 PM.. /// - internal static string SqlMisc_DateTimeOverflowMessage { - get { + internal static string SqlMisc_DateTimeOverflowMessage + { + get + { return ResourceManager.GetString("SqlMisc_DateTimeOverflowMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Divide by zero error encountered.. /// - internal static string SqlMisc_DivideByZeroMessage { - get { + internal static string SqlMisc_DivideByZeroMessage + { + get + { return ResourceManager.GetString("SqlMisc_DivideByZeroMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to The input wasn't in a correct format.. /// - internal static string SqlMisc_FormatMessage { - get { + internal static string SqlMisc_FormatMessage + { + get + { return ResourceManager.GetString("SqlMisc_FormatMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid array size.. /// - internal static string SqlMisc_InvalidArraySizeMessage { - get { + internal static string SqlMisc_InvalidArraySizeMessage + { + get + { return ResourceManager.GetString("SqlMisc_InvalidArraySizeMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid SqlDateTime.. /// - internal static string SqlMisc_InvalidDateTimeMessage { - get { + internal static string SqlMisc_InvalidDateTimeMessage + { + get + { return ResourceManager.GetString("SqlMisc_InvalidDateTimeMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Argument to GetDayOfWeek must be integer between 1 and 7.. /// - internal static string SqlMisc_InvalidFirstDayMessage { - get { + internal static string SqlMisc_InvalidFirstDayMessage + { + get + { return ResourceManager.GetString("SqlMisc_InvalidFirstDayMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid flag value.. /// - internal static string SqlMisc_InvalidFlagMessage { - get { + internal static string SqlMisc_InvalidFlagMessage + { + get + { return ResourceManager.GetString("SqlMisc_InvalidFlagMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to call {0} when the stream is closed.. /// - internal static string SqlMisc_InvalidOpStreamClosed { - get { + internal static string SqlMisc_InvalidOpStreamClosed + { + get + { return ResourceManager.GetString("SqlMisc_InvalidOpStreamClosed", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to call {0} when the stream non-readable.. /// - internal static string SqlMisc_InvalidOpStreamNonReadable { - get { + internal static string SqlMisc_InvalidOpStreamNonReadable + { + get + { return ResourceManager.GetString("SqlMisc_InvalidOpStreamNonReadable", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to call {0} when the stream is non-seekable.. /// - internal static string SqlMisc_InvalidOpStreamNonSeekable { - get { + internal static string SqlMisc_InvalidOpStreamNonSeekable + { + get + { return ResourceManager.GetString("SqlMisc_InvalidOpStreamNonSeekable", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to call {0} when the stream non-writable.. /// - internal static string SqlMisc_InvalidOpStreamNonWritable { - get { + internal static string SqlMisc_InvalidOpStreamNonWritable + { + get + { return ResourceManager.GetString("SqlMisc_InvalidOpStreamNonWritable", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid numeric precision/scale.. /// - internal static string SqlMisc_InvalidPrecScaleMessage { - get { + internal static string SqlMisc_InvalidPrecScaleMessage + { + get + { return ResourceManager.GetString("SqlMisc_InvalidPrecScaleMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to The SqlBytes and SqlChars don't support length of more than 2GB in this version.. /// - internal static string SqlMisc_LenTooLargeMessage { - get { + internal static string SqlMisc_LenTooLargeMessage + { + get + { return ResourceManager.GetString("SqlMisc_LenTooLargeMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Message. /// - internal static string SqlMisc_MessageString { - get { + internal static string SqlMisc_MessageString + { + get + { return ResourceManager.GetString("SqlMisc_MessageString", resourceCulture); } } - + /// /// Looks up a localized string similar to There is no buffer. Read or write operation failed.. /// - internal static string SqlMisc_NoBufferMessage { - get { + internal static string SqlMisc_NoBufferMessage + { + get + { return ResourceManager.GetString("SqlMisc_NoBufferMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to SQL Type has not been loaded with data.. /// - internal static string SqlMisc_NotFilledMessage { - get { + internal static string SqlMisc_NotFilledMessage + { + get + { return ResourceManager.GetString("SqlMisc_NotFilledMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Null. /// - internal static string SqlMisc_NullString { - get { + internal static string SqlMisc_NullString + { + get + { return ResourceManager.GetString("SqlMisc_NullString", resourceCulture); } } - + /// /// Looks up a localized string similar to Data is Null. This method or property cannot be called on Null values.. /// - internal static string SqlMisc_NullValueMessage { - get { + internal static string SqlMisc_NullValueMessage + { + get + { return ResourceManager.GetString("SqlMisc_NullValueMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Conversion from SqlDecimal to Decimal overflows.. /// - internal static string SqlMisc_NumeToDecOverflowMessage { - get { + internal static string SqlMisc_NumeToDecOverflowMessage + { + get + { return ResourceManager.GetString("SqlMisc_NumeToDecOverflowMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set to non-zero length, because current value is Null.. /// - internal static string SqlMisc_SetNonZeroLenOnNullMessage { - get { + internal static string SqlMisc_SetNonZeroLenOnNullMessage + { + get + { return ResourceManager.GetString("SqlMisc_SetNonZeroLenOnNullMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlType error.. /// - internal static string SqlMisc_SqlTypeMessage { - get { + internal static string SqlMisc_SqlTypeMessage + { + get + { return ResourceManager.GetString("SqlMisc_SqlTypeMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Stream has been closed or disposed.. /// - internal static string SqlMisc_StreamClosedMessage { - get { + internal static string SqlMisc_StreamClosedMessage + { + get + { return ResourceManager.GetString("SqlMisc_StreamClosedMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to An error occurred while reading.. /// - internal static string SqlMisc_StreamErrorMessage { - get { + internal static string SqlMisc_StreamErrorMessage + { + get + { return ResourceManager.GetString("SqlMisc_StreamErrorMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Subclass did not override a required method.. /// - internal static string SqlMisc_SubclassMustOverride { - get { + internal static string SqlMisc_SubclassMustOverride + { + get + { return ResourceManager.GetString("SqlMisc_SubclassMustOverride", resourceCulture); } } - + /// /// Looks up a localized string similar to A time zone was specified. SqlDateTime does not support time zones.. /// - internal static string SqlMisc_TimeZoneSpecifiedMessage { - get { + internal static string SqlMisc_TimeZoneSpecifiedMessage + { + get + { return ResourceManager.GetString("SqlMisc_TimeZoneSpecifiedMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Data returned is larger than 2Gb in size. Use SequentialAccess command behavior in order to get all of the data.. /// - internal static string SqlMisc_TruncationMaxDataMessage { - get { + internal static string SqlMisc_TruncationMaxDataMessage + { + get + { return ResourceManager.GetString("SqlMisc_TruncationMaxDataMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Numeric arithmetic causes truncation.. /// - internal static string SqlMisc_TruncationMessage { - get { + internal static string SqlMisc_TruncationMessage + { + get + { return ResourceManager.GetString("SqlMisc_TruncationMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot write to non-zero offset, because current value is Null.. /// - internal static string SqlMisc_WriteNonZeroOffsetOnNullMessage { - get { + internal static string SqlMisc_WriteNonZeroOffsetOnNullMessage + { + get + { return ResourceManager.GetString("SqlMisc_WriteNonZeroOffsetOnNullMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot write from an offset that is larger than current length. It would leave uninitialized data in the buffer.. /// - internal static string SqlMisc_WriteOffsetLargerThanLenMessage { - get { + internal static string SqlMisc_WriteOffsetLargerThanLenMessage + { + get + { return ResourceManager.GetString("SqlMisc_WriteOffsetLargerThanLenMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Connecting to a mirrored SQL Server instance using the MultiSubnetFailover connection option is not supported.. /// - internal static string SQLMSF_FailoverPartnerNotSupported { - get { + internal static string SQLMSF_FailoverPartnerNotSupported + { + get + { return ResourceManager.GetString("SQLMSF_FailoverPartnerNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to This SqlCommand object is already associated with another SqlDependency object.. /// - internal static string SQLNotify_AlreadyHasCommand { - get { + internal static string SQLNotify_AlreadyHasCommand + { + get + { return ResourceManager.GetString("SQLNotify_AlreadyHasCommand", resourceCulture); } } - + /// /// Looks up a localized string similar to Notification Error. Type={0}, Info={1}, Source={2}.. /// - internal static string SQLNotify_ErrorFormat { - get { + internal static string SQLNotify_ErrorFormat + { + get + { return ResourceManager.GetString("SQLNotify_ErrorFormat", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlDependency object cannot be created when running inside the SQL Server process.. /// - internal static string SqlNotify_SqlDepCannotBeCreatedInProc { - get { + internal static string SqlNotify_SqlDepCannotBeCreatedInProc + { + get + { return ResourceManager.GetString("SqlNotify_SqlDepCannotBeCreatedInProc", resourceCulture); } } - + /// /// Looks up a localized string similar to DBNull value for parameter '{0}' is not supported. Table-valued parameters cannot be DBNull.. /// - internal static string SqlParameter_DBNullNotSupportedForTVP { - get { + internal static string SqlParameter_DBNullNotSupportedForTVP + { + get + { return ResourceManager.GetString("SqlParameter_DBNullNotSupportedForTVP", resourceCulture); } } - + /// /// Looks up a localized string similar to Precision '{0}' required to send all values in column '{1}' exceeds the maximum supported precision '{2}'. The values must all fit in a single precision.. /// - internal static string SqlParameter_InvalidTableDerivedPrecisionForTvp { - get { + internal static string SqlParameter_InvalidTableDerivedPrecisionForTvp + { + get + { return ResourceManager.GetString("SqlParameter_InvalidTableDerivedPrecisionForTvp", resourceCulture); } } - + /// /// Looks up a localized string similar to Offset in variable length data types.. /// - internal static string SqlParameter_Offset { - get { + internal static string SqlParameter_Offset + { + get + { return ResourceManager.GetString("SqlParameter_Offset", resourceCulture); } } - + /// /// Looks up a localized string similar to Name of the parameter, like '@p1'. /// - internal static string SqlParameter_ParameterName { - get { + internal static string SqlParameter_ParameterName + { + get + { return ResourceManager.GetString("SqlParameter_ParameterName", resourceCulture); } } - + /// /// Looks up a localized string similar to The parameter native type.. /// - internal static string SqlParameter_SqlDbType { - get { + internal static string SqlParameter_SqlDbType + { + get + { return ResourceManager.GetString("SqlParameter_SqlDbType", resourceCulture); } } - + /// /// Looks up a localized string similar to The server's name for the type.. /// - internal static string SqlParameter_TypeName { - get { + internal static string SqlParameter_TypeName + { + get + { return ResourceManager.GetString("SqlParameter_TypeName", resourceCulture); } } - + /// /// Looks up a localized string similar to TypeName specified for parameter '{0}'. TypeName must only be set for Structured parameters.. /// - internal static string SqlParameter_UnexpectedTypeNameForNonStruct { - get { + internal static string SqlParameter_UnexpectedTypeNameForNonStruct + { + get + { return ResourceManager.GetString("SqlParameter_UnexpectedTypeNameForNonStruct", resourceCulture); } } - + /// /// Looks up a localized string similar to ParameterDirection '{0}' specified for parameter '{1}' is not supported. Table-valued parameters only support ParameterDirection.Input.. /// - internal static string SqlParameter_UnsupportedTVPOutputParameter { - get { + internal static string SqlParameter_UnsupportedTVPOutputParameter + { + get + { return ResourceManager.GetString("SqlParameter_UnsupportedTVPOutputParameter", resourceCulture); } } - + /// /// Looks up a localized string similar to XmlSchemaCollectionDatabase. /// - internal static string SqlParameter_XmlSchemaCollectionDatabase { - get { + internal static string SqlParameter_XmlSchemaCollectionDatabase + { + get + { return ResourceManager.GetString("SqlParameter_XmlSchemaCollectionDatabase", resourceCulture); } } - + /// /// Looks up a localized string similar to XmlSchemaCollectionName. /// - internal static string SqlParameter_XmlSchemaCollectionName { - get { + internal static string SqlParameter_XmlSchemaCollectionName + { + get + { return ResourceManager.GetString("SqlParameter_XmlSchemaCollectionName", resourceCulture); } } - + /// /// Looks up a localized string similar to XmlSchemaCollectionOwningSchema. /// - internal static string SqlParameter_XmlSchemaCollectionOwningSchema { - get { + internal static string SqlParameter_XmlSchemaCollectionOwningSchema + { + get + { return ResourceManager.GetString("SqlParameter_XmlSchemaCollectionOwningSchema", resourceCulture); } } - + /// /// Looks up a localized string similar to A result set is currently being sent to the pipe. End the current result set before calling {0}.. /// - internal static string SqlPipe_AlreadyHasAnOpenResultSet { - get { + internal static string SqlPipe_AlreadyHasAnOpenResultSet + { + get + { return ResourceManager.GetString("SqlPipe_AlreadyHasAnOpenResultSet", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlPipe does not support executing a command with a connection that is not a context connection.. /// - internal static string SqlPipe_CommandHookedUpToNonContextConnection { - get { + internal static string SqlPipe_CommandHookedUpToNonContextConnection + { + get + { return ResourceManager.GetString("SqlPipe_CommandHookedUpToNonContextConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to Result set has not been initiated. Call SendResultSetStart before calling {0}.. /// - internal static string SqlPipe_DoesNotHaveAnOpenResultSet { - get { + internal static string SqlPipe_DoesNotHaveAnOpenResultSet + { + get + { return ResourceManager.GetString("SqlPipe_DoesNotHaveAnOpenResultSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Could not use the pipe while it is busy with another operation.. /// - internal static string SqlPipe_IsBusy { - get { + internal static string SqlPipe_IsBusy + { + get + { return ResourceManager.GetString("SqlPipe_IsBusy", resourceCulture); } } - + /// /// Looks up a localized string similar to Message length {0} exceeds maximum length supported of 4000.. /// - internal static string SqlPipe_MessageTooLong { - get { + internal static string SqlPipe_MessageTooLong + { + get + { return ResourceManager.GetString("SqlPipe_MessageTooLong", resourceCulture); } } - + /// /// Looks up a localized string similar to The sort ordinal {0} was specified twice.. /// - internal static string SqlProvider_DuplicateSortOrdinal { - get { + internal static string SqlProvider_DuplicateSortOrdinal + { + get + { return ResourceManager.GetString("SqlProvider_DuplicateSortOrdinal", resourceCulture); } } - + /// /// Looks up a localized string similar to The size of column '{0}' is not supported. The size is {1}.. /// - internal static string SqlProvider_InvalidDataColumnMaxLength { - get { + internal static string SqlProvider_InvalidDataColumnMaxLength + { + get + { return ResourceManager.GetString("SqlProvider_InvalidDataColumnMaxLength", resourceCulture); } } - + /// /// Looks up a localized string similar to The type of column '{0}' is not supported. The type is '{1}'. /// - internal static string SqlProvider_InvalidDataColumnType { - get { + internal static string SqlProvider_InvalidDataColumnType + { + get + { return ResourceManager.GetString("SqlProvider_InvalidDataColumnType", resourceCulture); } } - + /// /// Looks up a localized string similar to The sort ordinal {0} was not specified.. /// - internal static string SqlProvider_MissingSortOrdinal { - get { + internal static string SqlProvider_MissingSortOrdinal + { + get + { return ResourceManager.GetString("SqlProvider_MissingSortOrdinal", resourceCulture); } } - + /// /// Looks up a localized string similar to There are not enough fields in the Structured type. Structured types must have at least one field.. /// - internal static string SqlProvider_NotEnoughColumnsInStructuredType { - get { + internal static string SqlProvider_NotEnoughColumnsInStructuredType + { + get + { return ResourceManager.GetString("SqlProvider_NotEnoughColumnsInStructuredType", resourceCulture); } } - + /// /// Looks up a localized string similar to The sort ordinal {0} on field {1} exceeds the total number of fields.. /// - internal static string SqlProvider_SortOrdinalGreaterThanFieldCount { - get { + internal static string SqlProvider_SortOrdinalGreaterThanFieldCount + { + get + { return ResourceManager.GetString("SqlProvider_SortOrdinalGreaterThanFieldCount", resourceCulture); } } - + /// /// Looks up a localized string similar to Connecting to a mirrored SQL Server instance using the ApplicationIntent ReadOnly connection option is not supported.. /// - internal static string SQLROR_FailoverNotSupported { - get { + internal static string SQLROR_FailoverNotSupported + { + get + { return ResourceManager.GetString("SQLROR_FailoverNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid routing information received.. /// - internal static string SQLROR_InvalidRoutingInfo { - get { + internal static string SQLROR_InvalidRoutingInfo + { + get + { return ResourceManager.GetString("SQLROR_InvalidRoutingInfo", resourceCulture); } } - + /// /// Looks up a localized string similar to Two or more redirections have occurred. Only one redirection per login is allowed.. /// - internal static string SQLROR_RecursiveRoutingNotSupported { - get { + internal static string SQLROR_RecursiveRoutingNotSupported + { + get + { return ResourceManager.GetString("SQLROR_RecursiveRoutingNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Server provided routing information, but timeout already expired.. /// - internal static string SQLROR_TimeoutAfterRoutingInfo { - get { + internal static string SQLROR_TimeoutAfterRoutingInfo + { + get + { return ResourceManager.GetString("SQLROR_TimeoutAfterRoutingInfo", resourceCulture); } } - + /// /// Looks up a localized string similar to Unexpected routing information received.. /// - internal static string SQLROR_UnexpectedRoutingInfo { - get { + internal static string SQLROR_UnexpectedRoutingInfo + { + get + { return ResourceManager.GetString("SQLROR_UnexpectedRoutingInfo", resourceCulture); } } - + /// /// Looks up a localized string similar to Structured, multiple-valued types can only be used for parameters, and cannot be nested within another type.. /// - internal static string SQLTVP_TableTypeCanOnlyBeParameter { - get { + internal static string SQLTVP_TableTypeCanOnlyBeParameter + { + get + { return ResourceManager.GetString("SQLTVP_TableTypeCanOnlyBeParameter", resourceCulture); } } - + /// /// Looks up a localized string similar to The provider has failed to load the following assembly: {0}. /// - internal static string SQLUDT_CantLoadAssembly { - get { + internal static string SQLUDT_CantLoadAssembly + { + get + { return ResourceManager.GetString("SQLUDT_CantLoadAssembly", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to get Type Info for {0},{1}. /// - internal static string SQLUDT_InvalidDbId { - get { + internal static string SQLUDT_InvalidDbId + { + get + { return ResourceManager.GetString("SQLUDT_InvalidDbId", resourceCulture); } } - + /// /// Looks up a localized string similar to UDT size must be less than {1}, size: {0}. /// - internal static string SQLUDT_InvalidSize { - get { + internal static string SQLUDT_InvalidSize + { + get + { return ResourceManager.GetString("SQLUDT_InvalidSize", resourceCulture); } } - + /// /// Looks up a localized string similar to Specified type is not registered on the target server.{0}.. /// - internal static string SQLUDT_InvalidSqlType { - get { + internal static string SQLUDT_InvalidSqlType + { + get + { return ResourceManager.GetString("SQLUDT_InvalidSqlType", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}' is an invalid user defined type, reason: {1}.. /// - internal static string SqlUdt_InvalidUdtMessage { - get { + internal static string SqlUdt_InvalidUdtMessage + { + get + { return ResourceManager.GetString("SqlUdt_InvalidUdtMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to UdtTypeName property must be set for UDT parameters.. /// - internal static string SQLUDT_InvalidUdtTypeName { - get { + internal static string SQLUDT_InvalidUdtTypeName + { + get + { return ResourceManager.GetString("SQLUDT_InvalidUdtTypeName", resourceCulture); } } - + /// /// Looks up a localized string similar to UDT parameters not permitted in the where clause unless part of the primary key.. /// - internal static string SQLUDT_InWhereClause { - get { + internal static string SQLUDT_InWhereClause + { + get + { return ResourceManager.GetString("SQLUDT_InWhereClause", resourceCulture); } } - + /// /// Looks up a localized string similar to range: 0-8000. /// - internal static string SQLUDT_MaxByteSizeValue { - get { + internal static string SQLUDT_MaxByteSizeValue + { + get + { return ResourceManager.GetString("SQLUDT_MaxByteSizeValue", resourceCulture); } } - + /// /// Looks up a localized string similar to unexpected error encountered in SqlClient data provider. {0}. /// - internal static string SQLUDT_Unexpected { - get { + internal static string SQLUDT_Unexpected + { + get + { return ResourceManager.GetString("SQLUDT_Unexpected", resourceCulture); } } - + /// /// Looks up a localized string similar to UdtTypeName property must be set only for UDT parameters.. /// - internal static string SQLUDT_UnexpectedUdtTypeName { - get { + internal static string SQLUDT_UnexpectedUdtTypeName + { + get + { return ResourceManager.GetString("SQLUDT_UnexpectedUdtTypeName", resourceCulture); } } - + /// /// Looks up a localized string similar to Native format can't be supported.. /// - internal static string SqlUdtReason_CannotSupportNative { - get { + internal static string SqlUdtReason_CannotSupportNative + { + get + { return ResourceManager.GetString("SqlUdtReason_CannotSupportNative", resourceCulture); } } - + /// /// Looks up a localized string similar to does not implement IBinarySerialize. /// - internal static string SqlUdtReason_CannotSupportUserDefined { - get { + internal static string SqlUdtReason_CannotSupportUserDefined + { + get + { return ResourceManager.GetString("SqlUdtReason_CannotSupportUserDefined", resourceCulture); } } - + /// /// Looks up a localized string similar to Serialization without mapping is not yet supported.. /// - internal static string SqlUdtReason_MaplessNotYetSupported { - get { + internal static string SqlUdtReason_MaplessNotYetSupported + { + get + { return ResourceManager.GetString("SqlUdtReason_MaplessNotYetSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to supports both in-memory and user-defined formats. /// - internal static string SqlUdtReason_MultipleSerFormats { - get { + internal static string SqlUdtReason_MultipleSerFormats + { + get + { return ResourceManager.GetString("SqlUdtReason_MultipleSerFormats", resourceCulture); } } - + /// /// Looks up a localized string similar to Multiple valued assembly references must have a nonzero Assembly Id.. /// - internal static string SqlUdtReason_MultivaluedAssemblyId { - get { + internal static string SqlUdtReason_MultivaluedAssemblyId + { + get + { return ResourceManager.GetString("SqlUdtReason_MultivaluedAssemblyId", resourceCulture); } } - + /// /// Looks up a localized string similar to The type of field '{0}' is marked as explicit layout which is not allowed in Native format. /// - internal static string SqlUdtReason_NativeFormatExplictLayoutNotAllowed { - get { + internal static string SqlUdtReason_NativeFormatExplictLayoutNotAllowed + { + get + { return ResourceManager.GetString("SqlUdtReason_NativeFormatExplictLayoutNotAllowed", resourceCulture); } } - + /// /// Looks up a localized string similar to Native format does not support fields (directly or through another field) of type '{0}'. /// - internal static string SqlUdtReason_NativeFormatNoFieldSupport { - get { + internal static string SqlUdtReason_NativeFormatNoFieldSupport + { + get + { return ResourceManager.GetString("SqlUdtReason_NativeFormatNoFieldSupport", resourceCulture); } } - + /// /// Looks up a localized string similar to Native UDT specifies a max byte size. /// - internal static string SqlUdtReason_NativeUdtMaxByteSize { - get { + internal static string SqlUdtReason_NativeUdtMaxByteSize + { + get + { return ResourceManager.GetString("SqlUdtReason_NativeUdtMaxByteSize", resourceCulture); } } - + /// /// Looks up a localized string similar to Native UDT not sequential layout due to type '{0}'. /// - internal static string SqlUdtReason_NativeUdtNotSequentialLayout { - get { + internal static string SqlUdtReason_NativeUdtNotSequentialLayout + { + get + { return ResourceManager.GetString("SqlUdtReason_NativeUdtNotSequentialLayout", resourceCulture); } } - + /// /// Looks up a localized string similar to field '{0}' is marked non-serialized. /// - internal static string SqlUdtReason_NonSerializableField { - get { + internal static string SqlUdtReason_NonSerializableField + { + get + { return ResourceManager.GetString("SqlUdtReason_NonSerializableField", resourceCulture); } } - + /// /// Looks up a localized string similar to does not have a public constructor. /// - internal static string SqlUdtReason_NoPublicConstructor { - get { + internal static string SqlUdtReason_NoPublicConstructor + { + get + { return ResourceManager.GetString("SqlUdtReason_NoPublicConstructor", resourceCulture); } } - + /// /// Looks up a localized string similar to no public constructors. /// - internal static string SqlUdtReason_NoPublicConstructors { - get { + internal static string SqlUdtReason_NoPublicConstructors + { + get + { return ResourceManager.GetString("SqlUdtReason_NoPublicConstructors", resourceCulture); } } - + /// /// Looks up a localized string similar to does not implement INullable. /// - internal static string SqlUdtReason_NotNullable { - get { + internal static string SqlUdtReason_NotNullable + { + get + { return ResourceManager.GetString("SqlUdtReason_NotNullable", resourceCulture); } } - + /// /// Looks up a localized string similar to not serializable. /// - internal static string SqlUdtReason_NotSerializable { - get { + internal static string SqlUdtReason_NotSerializable + { + get + { return ResourceManager.GetString("SqlUdtReason_NotSerializable", resourceCulture); } } - + /// /// Looks up a localized string similar to no UDT attribute. /// - internal static string SqlUdtReason_NoUdtAttribute { - get { + internal static string SqlUdtReason_NoUdtAttribute + { + get + { return ResourceManager.GetString("SqlUdtReason_NoUdtAttribute", resourceCulture); } } - + /// /// Looks up a localized string similar to 'public static x Null { get; }' method is missing. /// - internal static string SqlUdtReason_NullPropertyMissing { - get { + internal static string SqlUdtReason_NullPropertyMissing + { + get + { return ResourceManager.GetString("SqlUdtReason_NullPropertyMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to 'public static x Parse(System.Data.SqlTypes.SqlString)' method is missing. /// - internal static string SqlUdtReason_ParseMethodMissing { - get { + internal static string SqlUdtReason_ParseMethodMissing + { + get + { return ResourceManager.GetString("SqlUdtReason_ParseMethodMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to 'public override string ToString()' method is missing. /// - internal static string SqlUdtReason_ToStringMethodMissing { - get { + internal static string SqlUdtReason_ToStringMethodMissing + { + get + { return ResourceManager.GetString("SqlUdtReason_ToStringMethodMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to Type is not public. /// - internal static string SqlUdtReason_TypeNotPublic { - get { + internal static string SqlUdtReason_TypeNotPublic + { + get + { return ResourceManager.GetString("SqlUdtReason_TypeNotPublic", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot get value because it is DBNull.. /// - internal static string StrongTyping_CananotAccessDBNull { - get { + internal static string StrongTyping_CananotAccessDBNull + { + get + { return ResourceManager.GetString("StrongTyping_CananotAccessDBNull", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove relation since it is built in to this dataSet.. /// - internal static string StrongTyping_CananotRemoveRelation { - get { + internal static string StrongTyping_CananotRemoveRelation + { + get + { return ResourceManager.GetString("StrongTyping_CananotRemoveRelation", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove column since it is built in to this dataSet.. /// - internal static string StrongTyping_CannotRemoveColumn { - get { + internal static string StrongTyping_CannotRemoveColumn + { + get + { return ResourceManager.GetString("StrongTyping_CannotRemoveColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to Attestation information was not returned by SQL Server. Enclave type is '{0}' and enclave attestation URL is '{1}'.. /// - internal static string TCE_AttestationInfoNotReturnedFromSQLServer { - get { + internal static string TCE_AttestationInfoNotReturnedFromSQLServer + { + get + { return ResourceManager.GetString("TCE_AttestationInfoNotReturnedFromSQLServer", resourceCulture); } } - + /// /// Looks up a localized string similar to Error occurred when generating enclave package. Attestation Protocol has not been specified in the connection string, but the query requires enclave computations.. /// - internal static string TCE_AttestationProtocolNotSpecifiedForGeneratingEnclavePackage { - get { + internal static string TCE_AttestationProtocolNotSpecifiedForGeneratingEnclavePackage + { + get + { return ResourceManager.GetString("TCE_AttestationProtocolNotSpecifiedForGeneratingEnclavePackage", resourceCulture); } } - + /// /// Looks up a localized string similar to You have specified the attestation protocol in the connection string, but the SQL Server instance in use does not support enclave based computations.. /// - internal static string TCE_AttestationProtocolNotSupported { - get { + internal static string TCE_AttestationProtocolNotSupported + { + get + { return ResourceManager.GetString("TCE_AttestationProtocolNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to initialize connection. The attestation protocol '{0}' does not support the enclave type '{1}'.. /// - internal static string TCE_AttestationProtocolNotSupportEnclaveType { - get { + internal static string TCE_AttestationProtocolNotSupportEnclaveType + { + get + { return ResourceManager.GetString("TCE_AttestationProtocolNotSupportEnclaveType", resourceCulture); } } - + /// /// Looks up a localized string similar to You have specified the enclave attestation URL in the connection string, but the SQL Server instance in use does not support enclave based computations.. /// - internal static string TCE_AttestationURLNotSupported { - get { + internal static string TCE_AttestationURLNotSupported + { + get + { return ResourceManager.GetString("TCE_AttestationURLNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} should be identical on all commands ({1}, {2}, {3}, {4}) when doing batch updates.. /// - internal static string TCE_BatchedUpdateColumnEncryptionSettingMismatch { - get { + internal static string TCE_BatchedUpdateColumnEncryptionSettingMismatch + { + get + { return ResourceManager.GetString("TCE_BatchedUpdateColumnEncryptionSettingMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to instantiate an enclave provider with type '{1}' for name '{0}'. Error message: {2} . /// - internal static string TCE_CannotCreateSqlColumnEncryptionEnclaveProvider { - get { + internal static string TCE_CannotCreateSqlColumnEncryptionEnclaveProvider + { + get + { return ResourceManager.GetString("TCE_CannotCreateSqlColumnEncryptionEnclaveProvider", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to read the configuration section for enclave providers. Make sure the section is correctly formatted in your application configuration file. Error Message: {0}. /// - internal static string TCE_CannotGetSqlColumnEncryptionEnclaveProviderConfig { - get { + internal static string TCE_CannotGetSqlColumnEncryptionEnclaveProviderConfig + { + get + { return ResourceManager.GetString("TCE_CannotGetSqlColumnEncryptionEnclaveProviderConfig", resourceCulture); } } - + /// /// Looks up a localized string similar to Key store providers cannot be set more than once.. /// - internal static string TCE_CanOnlyCallOnce { - get { + internal static string TCE_CanOnlyCallOnce + { + get + { return ResourceManager.GetString("TCE_CanOnlyCallOnce", resourceCulture); } } - + /// /// Looks up a localized string similar to Certificate with thumbprint '{0}' not found in certificate store '{1}' in certificate location '{2}'.. /// - internal static string TCE_CertificateNotFound { - get { + internal static string TCE_CertificateNotFound + { + get + { return ResourceManager.GetString("TCE_CertificateNotFound", resourceCulture); } } - + /// /// Looks up a localized string similar to Certificate with thumbprint '{0}' not found in certificate store '{1}' in certificate location '{2}'. Verify the certificate path in the column master key definition in the database is correct, and the certificate has been imported correctly into the certificate location/store.. /// - internal static string TCE_CertificateNotFoundSysErr { - get { + internal static string TCE_CertificateNotFoundSysErr + { + get + { return ResourceManager.GetString("TCE_CertificateNotFoundSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Certificate specified in key path '{0}' does not have a private key to encrypt a column encryption key. Verify the certificate is imported correctly.. /// - internal static string TCE_CertificateWithNoPrivateKey { - get { + internal static string TCE_CertificateWithNoPrivateKey + { + get + { return ResourceManager.GetString("TCE_CertificateWithNoPrivateKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Certificate specified in key path '{0}' does not have a private key to decrypt a column encryption key. Verify the certificate is imported correctly.. /// - internal static string TCE_CertificateWithNoPrivateKeySysErr { - get { + internal static string TCE_CertificateWithNoPrivateKeySysErr + { + get + { return ResourceManager.GetString("TCE_CertificateWithNoPrivateKeySysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to decrypt column '{0}'.. /// - internal static string TCE_ColumnDecryptionFailed { - get { + internal static string TCE_ColumnDecryptionFailed + { + get + { return ResourceManager.GetString("TCE_ColumnDecryptionFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. Encrypted column encryption keys not found when trying to send the keys to the enclave.. /// - internal static string TCE_ColumnEncryptionKeysNotFound { - get { + internal static string TCE_ColumnEncryptionKeysNotFound + { + get + { return ResourceManager.GetString("TCE_ColumnEncryptionKeysNotFound", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. The signature returned by SQL Server for enclave-enabled column master key, specified at key path '{0}', cannot be null or empty.. /// - internal static string TCE_ColumnMasterKeySignatureNotFound { - get { + internal static string TCE_ColumnMasterKeySignatureNotFound + { + get + { return ResourceManager.GetString("TCE_ColumnMasterKeySignatureNotFound", resourceCulture); } } - + /// /// Looks up a localized string similar to The signature returned by SQL Server for the column master key, specified in key path '{0}', is invalid (does not match the computed signature). Recreate column master key metadata, making sure the signature inside the metadata is computed using the column master key being referenced in the metadata. If the error persists, please contact Microsoft for assistance.. /// - internal static string TCE_ColumnMasterKeySignatureVerificationFailed { - get { + internal static string TCE_ColumnMasterKeySignatureVerificationFailed + { + get + { return ResourceManager.GetString("TCE_ColumnMasterKeySignatureVerificationFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Specifies an attestation protocol for its corresponding enclave attestation service.. /// - internal static string TCE_DbConnectionString_AttestationProtocol { - get { + internal static string TCE_DbConnectionString_AttestationProtocol + { + get + { return ResourceManager.GetString("TCE_DbConnectionString_AttestationProtocol", resourceCulture); } } - + /// /// Looks up a localized string similar to Default column encryption setting for all the commands on the connection.. /// - internal static string TCE_DbConnectionString_ColumnEncryptionSetting { - get { + internal static string TCE_DbConnectionString_ColumnEncryptionSetting + { + get + { return ResourceManager.GetString("TCE_DbConnectionString_ColumnEncryptionSetting", resourceCulture); } } - + /// /// Looks up a localized string similar to Specifies an endpoint of an enclave attestation service, which will be used to verify whether the enclave, configured in the SQL Server instance for computations on database columns encrypted using Always Encrypted, is valid and secure.. /// - internal static string TCE_DbConnectionString_EnclaveAttestationUrl { - get { + internal static string TCE_DbConnectionString_EnclaveAttestationUrl + { + get + { return ResourceManager.GetString("TCE_DbConnectionString_EnclaveAttestationUrl", resourceCulture); } } - + /// /// Looks up a localized string similar to Decryption failed. The last 10 bytes of the encrypted column encryption key are: '{0}'. The first 10 bytes of ciphertext are: '{1}'.. /// - internal static string TCE_DecryptionFailed { - get { + internal static string TCE_DecryptionFailed + { + get + { return ResourceManager.GetString("TCE_DecryptionFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. Empty argument '{0}' specified when constructing an object of type '{1}'. '{0}' cannot be empty.. /// - internal static string TCE_EmptyArgumentInConstructorInternal { - get { + internal static string TCE_EmptyArgumentInConstructorInternal + { + get + { return ResourceManager.GetString("TCE_EmptyArgumentInConstructorInternal", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. Argument '{0}' cannot be empty when executing method '{1}.{2}'.. /// - internal static string TCE_EmptyArgumentInternal { - get { + internal static string TCE_EmptyArgumentInternal + { + get + { return ResourceManager.GetString("TCE_EmptyArgumentInternal", resourceCulture); } } - + /// /// Looks up a localized string similar to Empty certificate thumbprint specified in certificate path '{0}'.. /// - internal static string TCE_EmptyCertificateThumbprint { - get { + internal static string TCE_EmptyCertificateThumbprint + { + get + { return ResourceManager.GetString("TCE_EmptyCertificateThumbprint", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Empty certificate thumbprint specified in certificate path '{0}'.. /// - internal static string TCE_EmptyCertificateThumbprintSysErr { - get { + internal static string TCE_EmptyCertificateThumbprintSysErr + { + get + { return ResourceManager.GetString("TCE_EmptyCertificateThumbprintSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Empty key identifier specified in column master key path: '{0}'. Use the following format for a key stored in a Microsoft Cryptography API: Next Generation (CNG) provider: <CNG Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_EmptyCngKeyId { - get { + internal static string TCE_EmptyCngKeyId + { + get + { return ResourceManager.GetString("TCE_EmptyCngKeyId", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Empty key identifier specified in column master key path: '{0}'. Use the following format for a key stored in a Microsoft Cryptography API: Next Generation (CNG) provider: <CNG Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_EmptyCngKeyIdSysErr { - get { + internal static string TCE_EmptyCngKeyIdSysErr + { + get + { return ResourceManager.GetString("TCE_EmptyCngKeyIdSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Empty Microsoft Cryptography API: Next Generation (CNG) provider name specified in column master key path: '{0}'. Use the following format for a key stored in a Microsoft Cryptography API: Next Generation (CNG) provider: <CNG Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_EmptyCngName { - get { + internal static string TCE_EmptyCngName + { + get + { return ResourceManager.GetString("TCE_EmptyCngName", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Empty Microsoft Cryptography API: Next Generation (CNG) provider name specified in column master key path: '{0}'. Use the following format for a key stored in a Microsoft Cryptography API: Next Generation (CNG) provider: <CNG Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_EmptyCngNameSysErr { - get { + internal static string TCE_EmptyCngNameSysErr + { + get + { return ResourceManager.GetString("TCE_EmptyCngNameSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Empty column encryption key specified.. /// - internal static string TCE_EmptyColumnEncryptionKey { - get { + internal static string TCE_EmptyColumnEncryptionKey + { + get + { return ResourceManager.GetString("TCE_EmptyColumnEncryptionKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Empty key identifier specified in column master key path: '{0}'. Use the following format for a key stored in a Microsoft cryptographic service provider (CSP): <CSP Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_EmptyCspKeyId { - get { + internal static string TCE_EmptyCspKeyId + { + get + { return ResourceManager.GetString("TCE_EmptyCspKeyId", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Empty key identifier specified in column master key path: '{0}'. Use the following format for a key stored in a Microsoft cryptographic service provider (CSP): <CSP Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_EmptyCspKeyIdSysErr { - get { + internal static string TCE_EmptyCspKeyIdSysErr + { + get + { return ResourceManager.GetString("TCE_EmptyCspKeyIdSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Empty Microsoft cryptographic service provider (CSP) name specified in column master key path: '{0}'. Use the following format for a key stored in a Microsoft cryptographic service provider (CSP): <CSP Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_EmptyCspName { - get { + internal static string TCE_EmptyCspName + { + get + { return ResourceManager.GetString("TCE_EmptyCspName", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Empty Microsoft cryptographic service provider (CSP) name specified in column master key path: '{0}'. Use the following format for a key stored in a Microsoft cryptographic service provider (CSP): <CSP Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_EmptyCspNameSysErr { - get { + internal static string TCE_EmptyCspNameSysErr + { + get + { return ResourceManager.GetString("TCE_EmptyCspNameSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Empty encrypted column encryption key specified.. /// - internal static string TCE_EmptyEncryptedColumnEncryptionKey { - get { + internal static string TCE_EmptyEncryptedColumnEncryptionKey + { + get + { return ResourceManager.GetString("TCE_EmptyEncryptedColumnEncryptionKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid key store provider name specified. Key store provider names cannot be null or empty.. /// - internal static string TCE_EmptyProviderName { - get { + internal static string TCE_EmptyProviderName + { + get + { return ResourceManager.GetString("TCE_EmptyProviderName", resourceCulture); } } - + /// /// Looks up a localized string similar to You have specified the enclave attestation URL and attestation protocol in the connection string, but the SQL Server instance in use does not support enclave based computations.. /// - internal static string TCE_EnclaveComputationsNotSupported { - get { + internal static string TCE_EnclaveComputationsNotSupported + { + get + { return ResourceManager.GetString("TCE_EnclaveComputationsNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to No enclave provider found for enclave type '{0}' and attestation protocol '{1}'. Please specify the correct attestation protocol in the connection string. . /// - internal static string TCE_EnclaveProviderNotFound { - get { + internal static string TCE_EnclaveProviderNotFound + { + get + { return ResourceManager.GetString("TCE_EnclaveProviderNotFound", resourceCulture); } } - + /// /// Looks up a localized string similar to Executing a query requires enclave computations, but the application configuration is missing the enclave provider section.. /// - internal static string TCE_EnclaveProvidersNotConfiguredForEnclaveBasedQuery { - get { + internal static string TCE_EnclaveProvidersNotConfiguredForEnclaveBasedQuery + { + get + { return ResourceManager.GetString("TCE_EnclaveProvidersNotConfiguredForEnclaveBasedQuery", resourceCulture); } } - + /// /// Looks up a localized string similar to You have specified the enclave attestation URL in the connection string, but the SQL Server instance did not return an enclave type. Please make sure the enclave type is correctly configured in your instance.. /// - internal static string TCE_EnclaveTypeNotReturned { - get { + internal static string TCE_EnclaveTypeNotReturned + { + get + { return ResourceManager.GetString("TCE_EnclaveTypeNotReturned", resourceCulture); } } - + /// /// Looks up a localized string similar to The enclave type '{0}' returned from the server is not supported.. /// - internal static string TCE_EnclaveTypeNotSupported { - get { + internal static string TCE_EnclaveTypeNotSupported + { + get + { return ResourceManager.GetString("TCE_EnclaveTypeNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. Enclave type received from SQL Server is null or empty when executing a query requiring enclave computations.. /// - internal static string TCE_EnclaveTypeNullForEnclaveBasedQuery { - get { + internal static string TCE_EnclaveTypeNullForEnclaveBasedQuery + { + get + { return ResourceManager.GetString("TCE_EnclaveTypeNullForEnclaveBasedQuery", resourceCulture); } } - + /// /// Looks up a localized string similar to Error encountered while generating package to be sent to enclave. Error message: {0}. /// - internal static string TCE_ExceptionWhenGeneratingEnclavePackage { - get { + internal static string TCE_ExceptionWhenGeneratingEnclavePackage + { + get + { return ResourceManager.GetString("TCE_ExceptionWhenGeneratingEnclavePackage", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. Failed to encrypt byte package to be sent to the enclave. Error Message: {0} . /// - internal static string TCE_FailedToEncryptRegisterRulesBytePackage { - get { + internal static string TCE_FailedToEncryptRegisterRulesBytePackage + { + get + { return ResourceManager.GetString("TCE_FailedToEncryptRegisterRulesBytePackage", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. The buffer specified by argument '{0}' for method '{1}.{2}' has insufficient space.. /// - internal static string TCE_InsufficientBuffer { - get { + internal static string TCE_InsufficientBuffer + { + get + { return ResourceManager.GetString("TCE_InsufficientBuffer", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified ciphertext's encryption algorithm version '{0}' does not match the expected encryption algorithm version '{1}'.. /// - internal static string TCE_InvalidAlgorithmVersion { - get { + internal static string TCE_InvalidAlgorithmVersion + { + get + { return ResourceManager.GetString("TCE_InvalidAlgorithmVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to Specified encrypted column encryption key contains an invalid encryption algorithm version '{0}'. Expected version is '{1}'.. /// - internal static string TCE_InvalidAlgorithmVersionInEncryptedCEK { - get { + internal static string TCE_InvalidAlgorithmVersionInEncryptedCEK + { + get + { return ResourceManager.GetString("TCE_InvalidAlgorithmVersionInEncryptedCEK", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attestation parameters specified by the enclave provider for enclave type '{0}'. Error occurred when converting the value '{1}' of parameter '{2}' to unsigned int. Error Message: {3}. /// - internal static string TCE_InvalidAttestationParameterUnableToConvertToUnsignedInt { - get { + internal static string TCE_InvalidAttestationParameterUnableToConvertToUnsignedInt + { + get + { return ResourceManager.GetString("TCE_InvalidAttestationParameterUnableToConvertToUnsignedInt", resourceCulture); } } - + /// /// Looks up a localized string similar to Specified ciphertext has an invalid authentication tag.. /// - internal static string TCE_InvalidAuthenticationTag { - get { + internal static string TCE_InvalidAuthenticationTag + { + get + { return ResourceManager.GetString("TCE_InvalidAuthenticationTag", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid certificate location '{0}' in certificate path '{1}'. Use the following format: <certificate location>{4}<certificate store>{4}<certificate thumbprint>, where <certificate location> is either '{2}' or '{3}'.. /// - internal static string TCE_InvalidCertificateLocation { - get { + internal static string TCE_InvalidCertificateLocation + { + get + { return ResourceManager.GetString("TCE_InvalidCertificateLocation", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Invalid certificate location '{0}' in certificate path '{1}'. Use the following format: <certificate location>{4}<certificate store>{4}<certificate thumbprint>, where <certificate location> is either '{2}' or '{3}'.. /// - internal static string TCE_InvalidCertificateLocationSysErr { - get { + internal static string TCE_InvalidCertificateLocationSysErr + { + get + { return ResourceManager.GetString("TCE_InvalidCertificateLocationSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid certificate path: '{0}'. Use the following format: <certificate location>{3}<certificate store>{3}<certificate thumbprint>, where <certificate location> is either '{1}' or '{2}'.. /// - internal static string TCE_InvalidCertificatePath { - get { + internal static string TCE_InvalidCertificatePath + { + get + { return ResourceManager.GetString("TCE_InvalidCertificatePath", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Invalid certificate path: '{0}'. Use the following format: <certificate location>{3}<certificate store>{3}<certificate thumbprint>, where <certificate location> is either '{1}' or '{2}'.. /// - internal static string TCE_InvalidCertificatePathSysErr { - get { + internal static string TCE_InvalidCertificatePathSysErr + { + get + { return ResourceManager.GetString("TCE_InvalidCertificatePathSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified encrypted column encryption key signature does not match the signature computed with the column master key (certificate) in '{0}'. The encrypted column encryption key may be corrupt, or the specified path may be incorrect.. /// - internal static string TCE_InvalidCertificateSignature { - get { + internal static string TCE_InvalidCertificateSignature + { + get + { return ResourceManager.GetString("TCE_InvalidCertificateSignature", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid certificate store '{0}' specified in certificate path '{1}'. Expected value: '{2}'.. /// - internal static string TCE_InvalidCertificateStore { - get { + internal static string TCE_InvalidCertificateStore + { + get + { return ResourceManager.GetString("TCE_InvalidCertificateStore", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Invalid certificate store '{0}' specified in certificate path '{1}'. Expected value: '{2}'.. /// - internal static string TCE_InvalidCertificateStoreSysErr { - get { + internal static string TCE_InvalidCertificateStoreSysErr + { + get + { return ResourceManager.GetString("TCE_InvalidCertificateStoreSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified encrypted column encryption key's ciphertext length: {0} does not match the ciphertext length: {1} when using column master key (certificate) in '{2}'. The encrypted column encryption key may be corrupt, or the specified certificate path may be incorrect.. /// - internal static string TCE_InvalidCiphertextLengthInEncryptedCEK { - get { + internal static string TCE_InvalidCiphertextLengthInEncryptedCEK + { + get + { return ResourceManager.GetString("TCE_InvalidCiphertextLengthInEncryptedCEK", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified encrypted column encryption key's ciphertext length: {0} does not match the ciphertext length: {1} when using column master key (asymmetric key) in '{2}'. The encrypted column encryption key may be corrupt, or the specified Microsoft Cryptography API: Next Generation (CNG) provider path may be incorrect.. /// - internal static string TCE_InvalidCiphertextLengthInEncryptedCEKCng { - get { + internal static string TCE_InvalidCiphertextLengthInEncryptedCEKCng + { + get + { return ResourceManager.GetString("TCE_InvalidCiphertextLengthInEncryptedCEKCng", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified encrypted column encryption key's ciphertext length: {0} does not match the ciphertext length: {1} when using column master key (asymmetric key) in '{2}'. The encrypted column encryption key may be corrupt, or the specified Microsoft Cryptographic Service provider (CSP) path may be incorrect.. /// - internal static string TCE_InvalidCiphertextLengthInEncryptedCEKCsp { - get { + internal static string TCE_InvalidCiphertextLengthInEncryptedCEKCsp + { + get + { return ResourceManager.GetString("TCE_InvalidCiphertextLengthInEncryptedCEKCsp", resourceCulture); } } - + /// /// Looks up a localized string similar to Specified ciphertext has an invalid size of {0} bytes, which is below the minimum {1} bytes required for decryption.. /// - internal static string TCE_InvalidCipherTextSize { - get { + internal static string TCE_InvalidCipherTextSize + { + get + { return ResourceManager.GetString("TCE_InvalidCipherTextSize", resourceCulture); } } - + /// /// Looks up a localized string similar to An error occurred while opening the Microsoft Cryptography API: Next Generation (CNG) key: '{0}'. Verify that the CNG provider name '{1}' is valid, installed on the machine, and the key '{2}' exists.. /// - internal static string TCE_InvalidCngKey { - get { + internal static string TCE_InvalidCngKey + { + get + { return ResourceManager.GetString("TCE_InvalidCngKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. An error occurred while opening the Microsoft Cryptography API: Next Generation (CNG) key: '{0}'. Verify that the CNG provider name '{1}' is valid, installed on the machine, and the key '{2}' exists.. /// - internal static string TCE_InvalidCngKeySysErr { - get { + internal static string TCE_InvalidCngKeySysErr + { + get + { return ResourceManager.GetString("TCE_InvalidCngKeySysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid column master key path: '{0}'. Use the following format for a key stored in a Microsoft Cryptography API: Next Generation (CNG) provider: <CNG Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_InvalidCngPath { - get { + internal static string TCE_InvalidCngPath + { + get + { return ResourceManager.GetString("TCE_InvalidCngPath", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Invalid column master key path: '{0}'. Use the following format for a key stored in a Microsoft Cryptography API: Next Generation (CNG) provider: <CNG Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_InvalidCngPathSysErr { - get { + internal static string TCE_InvalidCngPathSysErr + { + get + { return ResourceManager.GetString("TCE_InvalidCngPathSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid key identifier: '{0}'. Verify that the key identifier in column master key path: '{1}' is valid and exists in the CSP.. /// - internal static string TCE_InvalidCspKeyId { - get { + internal static string TCE_InvalidCspKeyId + { + get + { return ResourceManager.GetString("TCE_InvalidCspKeyId", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Invalid key identifier: '{0}'. Verify that the key identifier in column master key path: '{1}' is valid and exists in the CSP.. /// - internal static string TCE_InvalidCspKeyIdSysErr { - get { + internal static string TCE_InvalidCspKeyIdSysErr + { + get + { return ResourceManager.GetString("TCE_InvalidCspKeyIdSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid Microsoft cryptographic service provider (CSP) name: '{0}'. Verify that the CSP provider name in column master key path: '{1}' is valid and installed on the machine.. /// - internal static string TCE_InvalidCspName { - get { + internal static string TCE_InvalidCspName + { + get + { return ResourceManager.GetString("TCE_InvalidCspName", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Invalid Microsoft cryptographic service provider (CSP) name: '{0}'. Verify that the CSP provider name in column master key path: '{1}' is valid and installed on the machine.. /// - internal static string TCE_InvalidCspNameSysErr { - get { + internal static string TCE_InvalidCspNameSysErr + { + get + { return ResourceManager.GetString("TCE_InvalidCspNameSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid column master key path: '{0}'. Use the following format for a key stored in a Microsoft cryptographic service provider (CSP): <CSP Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_InvalidCspPath { - get { + internal static string TCE_InvalidCspPath + { + get + { return ResourceManager.GetString("TCE_InvalidCspPath", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Invalid column master key path: '{0}'. Use the following format for a key stored in a Microsoft cryptographic service provider (CSP): <CSP Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_InvalidCspPathSysErr { - get { + internal static string TCE_InvalidCspPathSysErr + { + get + { return ResourceManager.GetString("TCE_InvalidCspPathSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid key store provider name '{0}'. '{1}' prefix is reserved for system key store providers.. /// - internal static string TCE_InvalidCustomKeyStoreProviderName { - get { + internal static string TCE_InvalidCustomKeyStoreProviderName + { + get + { return ResourceManager.GetString("TCE_InvalidCustomKeyStoreProviderName", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. The given database id '{0}' is not valid. Error occurred when converting the database id to unsigned int. Error Message: {1}. /// - internal static string TCE_InvalidDatabaseIdUnableToCastToUnsignedInt { - get { + internal static string TCE_InvalidDatabaseIdUnableToCastToUnsignedInt + { + get + { return ResourceManager.GetString("TCE_InvalidDatabaseIdUnableToCastToUnsignedInt", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Error occurred when populating enclave metadata. The referenced column encryption key ordinal '{0}' is missing in the encryption metadata returned by SQL Server. Max ordinal is '{1}'. . /// - internal static string TCE_InvalidEncryptionKeyOrdinalEnclaveMetadata { - get { + internal static string TCE_InvalidEncryptionKeyOrdinalEnclaveMetadata + { + get + { return ResourceManager.GetString("TCE_InvalidEncryptionKeyOrdinalEnclaveMetadata", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Error occurred when populating parameter metadata. The referenced column encryption key ordinal '{0}' is missing in the encryption metadata returned by SQL Server. Max ordinal is '{1}'. . /// - internal static string TCE_InvalidEncryptionKeyOrdinalParameterMetadata { - get { + internal static string TCE_InvalidEncryptionKeyOrdinalParameterMetadata + { + get + { return ResourceManager.GetString("TCE_InvalidEncryptionKeyOrdinalParameterMetadata", resourceCulture); } } - + /// /// Looks up a localized string similar to Encryption type '{1}' specified for the column in the database is either invalid or corrupted. Valid encryption types for algorithm '{0}' are: {2}.. /// - internal static string TCE_InvalidEncryptionType { - get { + internal static string TCE_InvalidEncryptionType + { + get + { return ResourceManager.GetString("TCE_InvalidEncryptionType", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid key encryption algorithm specified: '{0}'. Expected value: '{1}'.. /// - internal static string TCE_InvalidKeyEncryptionAlgorithm { - get { + internal static string TCE_InvalidKeyEncryptionAlgorithm + { + get + { return ResourceManager.GetString("TCE_InvalidKeyEncryptionAlgorithm", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Invalid key encryption algorithm specified: '{0}'. Expected value: '{1}'.. /// - internal static string TCE_InvalidKeyEncryptionAlgorithmSysErr { - get { + internal static string TCE_InvalidKeyEncryptionAlgorithmSysErr + { + get + { return ResourceManager.GetString("TCE_InvalidKeyEncryptionAlgorithmSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. The given key id '{0}' is not valid. Error occurred when converting the key id to unsigned short. Error Message: {1}. /// - internal static string TCE_InvalidKeyIdUnableToCastToUnsignedShort { - get { + internal static string TCE_InvalidKeyIdUnableToCastToUnsignedShort + { + get + { return ResourceManager.GetString("TCE_InvalidKeyIdUnableToCastToUnsignedShort", resourceCulture); } } - + /// /// Looks up a localized string similar to The column encryption key has been successfully decrypted but it's length: {1} does not match the length: {2} for algorithm '{0}'. Verify the encrypted value of the column encryption key in the database.. /// - internal static string TCE_InvalidKeySize { - get { + internal static string TCE_InvalidKeySize + { + get + { return ResourceManager.GetString("TCE_InvalidKeySize", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid key store provider name: '{0}'. A key store provider name must denote either a system key store provider or a registered custom key store provider. Valid system key store provider names are: {1}. Valid (currently registered) custom key store provider names are: {2}. Please verify key store provider information in column master key definitions in the database, and verify all custom key store providers used in your application are registered properly.. /// - internal static string TCE_InvalidKeyStoreProviderName { - get { + internal static string TCE_InvalidKeyStoreProviderName + { + get + { return ResourceManager.GetString("TCE_InvalidKeyStoreProviderName", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified encrypted column encryption key signature does not match the signature computed with the column master key (asymmetric key) in '{0}'. The encrypted column encryption key may be corrupt, or the specified path may be incorrect.. /// - internal static string TCE_InvalidSignature { - get { + internal static string TCE_InvalidSignature + { + get + { return ResourceManager.GetString("TCE_InvalidSignature", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified encrypted column encryption key's signature length: {0} does not match the signature length: {1} when using column master key (certificate) in '{2}'. The encrypted column encryption key may be corrupt, or the specified certificate path may be incorrect.. /// - internal static string TCE_InvalidSignatureInEncryptedCEK { - get { + internal static string TCE_InvalidSignatureInEncryptedCEK + { + get + { return ResourceManager.GetString("TCE_InvalidSignatureInEncryptedCEK", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified encrypted column encryption key's signature length: {0} does not match the signature length: {1} when using column master key (asymmetric key) in '{2}'. The encrypted column encryption key may be corrupt, or the specified Microsoft Cryptography API: Next Generation (CNG) provider path may be incorrect.. /// - internal static string TCE_InvalidSignatureInEncryptedCEKCng { - get { + internal static string TCE_InvalidSignatureInEncryptedCEKCng + { + get + { return ResourceManager.GetString("TCE_InvalidSignatureInEncryptedCEKCng", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified encrypted column encryption key's signature length: {0} does not match the signature length: {1} when using column master key (asymmetric key) in '{2}'. The encrypted column encryption key may be corrupt, or the specified Microsoft cryptographic service provider (CSP) path may be incorrect.. /// - internal static string TCE_InvalidSignatureInEncryptedCEKCsp { - get { + internal static string TCE_InvalidSignatureInEncryptedCEKCsp + { + get + { return ResourceManager.GetString("TCE_InvalidSignatureInEncryptedCEKCsp", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to decrypt a column encryption key using key store provider: '{0}'. Verify the properties of the column encryption key and its column master key in your database. The last 10 bytes of the encrypted column encryption key are: '{1}'.. /// - internal static string TCE_KeyDecryptionFailed { - get { + internal static string TCE_KeyDecryptionFailed + { + get + { return ResourceManager.GetString("TCE_KeyDecryptionFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to decrypt a column encryption key using key store provider: '{0}'. The last 10 bytes of the encrypted column encryption key are: '{1}'.. /// - internal static string TCE_KeyDecryptionFailedCertStore { - get { + internal static string TCE_KeyDecryptionFailedCertStore + { + get + { return ResourceManager.GetString("TCE_KeyDecryptionFailedCertStore", resourceCulture); } } - + /// /// Looks up a localized string similar to Specified certificate path has {0} bytes, which exceeds maximum length of {1} bytes.. /// - internal static string TCE_LargeCertificatePathLength { - get { + internal static string TCE_LargeCertificatePathLength + { + get + { return ResourceManager.GetString("TCE_LargeCertificatePathLength", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Specified certificate path has {0} bytes, which exceeds maximum length of {1} bytes.. /// - internal static string TCE_LargeCertificatePathLengthSysErr { - get { + internal static string TCE_LargeCertificatePathLengthSysErr + { + get + { return ResourceManager.GetString("TCE_LargeCertificatePathLengthSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Error occurred when parsing the results of '{0}'. The attestation information resultset is expected to contain only one row, but it contains multiple rows.. /// - internal static string TCE_MultipleRowsReturnedForAttestationInfo { - get { + internal static string TCE_MultipleRowsReturnedForAttestationInfo + { + get + { return ResourceManager.GetString("TCE_MultipleRowsReturnedForAttestationInfo", resourceCulture); } } - + /// /// Looks up a localized string similar to Error occurred when generating enclave package. Attestation URL has not been specified in the connection string, but the query requires enclave computations. Enclave type is '{0}'. . /// - internal static string TCE_NoAttestationUrlSpecifiedForEnclaveBasedQueryGeneratingEnclavePackage { - get { + internal static string TCE_NoAttestationUrlSpecifiedForEnclaveBasedQueryGeneratingEnclavePackage + { + get + { return ResourceManager.GetString("TCE_NoAttestationUrlSpecifiedForEnclaveBasedQueryGeneratingEnclavePackage", resourceCulture); } } - + /// /// Looks up a localized string similar to Error occurred when reading '{0}' resultset. Attestation URL has not been specified in the connection string, but the query requires enclave computations. Enclave type is '{1}'. . /// - internal static string TCE_NoAttestationUrlSpecifiedForEnclaveBasedQuerySpDescribe { - get { + internal static string TCE_NoAttestationUrlSpecifiedForEnclaveBasedQuerySpDescribe + { + get + { return ResourceManager.GetString("TCE_NoAttestationUrlSpecifiedForEnclaveBasedQuerySpDescribe", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} instance in use does not support column encryption.. /// - internal static string TCE_NotSupportedByServer { - get { + internal static string TCE_NotSupportedByServer + { + get + { return ResourceManager.GetString("TCE_NotSupportedByServer", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. Null argument '{0}' specified when constructing an object of type '{1}'. '{0}' cannot be null.. /// - internal static string TCE_NullArgumentInConstructorInternal { - get { + internal static string TCE_NullArgumentInConstructorInternal + { + get + { return ResourceManager.GetString("TCE_NullArgumentInConstructorInternal", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. Argument '{0}' cannot be null when executing method '{1}.{2}'.. /// - internal static string TCE_NullArgumentInternal { - get { + internal static string TCE_NullArgumentInternal + { + get + { return ResourceManager.GetString("TCE_NullArgumentInternal", resourceCulture); } } - + /// /// Looks up a localized string similar to Certificate path cannot be null. Use the following format: <certificate location>{2}<certificate store>{2}<certificate thumbprint>, where <certificate location> is either '{0}' or '{1}'.. /// - internal static string TCE_NullCertificatePath { - get { + internal static string TCE_NullCertificatePath + { + get + { return ResourceManager.GetString("TCE_NullCertificatePath", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Certificate path cannot be null. Use the following format: <certificate location>{2}<certificate store>{2}<certificate thumbprint>, where <certificate location> is either '{0}' or '{1}'.. /// - internal static string TCE_NullCertificatePathSysErr { - get { + internal static string TCE_NullCertificatePathSysErr + { + get + { return ResourceManager.GetString("TCE_NullCertificatePathSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Ciphertext value cannot be null.. /// - internal static string TCE_NullCipherText { - get { + internal static string TCE_NullCipherText + { + get + { return ResourceManager.GetString("TCE_NullCipherText", resourceCulture); } } - + /// /// Looks up a localized string similar to Column master key path cannot be null. Use the following format for a key stored in a Microsoft Cryptography API: Next Generation (CNG) provider: <CNG Provider Name>{0}<Key Identifier>.. /// - internal static string TCE_NullCngPath { - get { + internal static string TCE_NullCngPath + { + get + { return ResourceManager.GetString("TCE_NullCngPath", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Column master key path cannot be null. Use the following format for a key stored in a Microsoft Cryptography API: Next Generation (CNG) provider: <CNG Provider Name>{0}<Key Identifier>.. /// - internal static string TCE_NullCngPathSysErr { - get { + internal static string TCE_NullCngPathSysErr + { + get + { return ResourceManager.GetString("TCE_NullCngPathSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Encryption algorithm cannot be null. Valid algorithms are: {0}.. /// - internal static string TCE_NullColumnEncryptionAlgorithm { - get { + internal static string TCE_NullColumnEncryptionAlgorithm + { + get + { return ResourceManager.GetString("TCE_NullColumnEncryptionAlgorithm", resourceCulture); } } - + /// /// Looks up a localized string similar to Column encryption key cannot be null.. /// - internal static string TCE_NullColumnEncryptionKey { - get { + internal static string TCE_NullColumnEncryptionKey + { + get + { return ResourceManager.GetString("TCE_NullColumnEncryptionKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Column encryption key cannot be null.. /// - internal static string TCE_NullColumnEncryptionKeySysErr { - get { + internal static string TCE_NullColumnEncryptionKeySysErr + { + get + { return ResourceManager.GetString("TCE_NullColumnEncryptionKeySysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Column master key path cannot be null. Use the following format for a key stored in a Microsoft cryptographic service provider (CSP): <CSP Provider Name>{0}<Key Identifier>.. /// - internal static string TCE_NullCspPath { - get { + internal static string TCE_NullCspPath + { + get + { return ResourceManager.GetString("TCE_NullCspPath", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Column master key path cannot be null. Use the following format for a key stored in a Microsoft cryptographic service provider (CSP): <CSP Provider Name>{0}<Key Identifier>.. /// - internal static string TCE_NullCspPathSysErr { - get { + internal static string TCE_NullCspPathSysErr + { + get + { return ResourceManager.GetString("TCE_NullCspPathSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Column encryption key store provider dictionary cannot be null. Expecting a non-null value.. /// - internal static string TCE_NullCustomKeyStoreProviderDictionary { - get { + internal static string TCE_NullCustomKeyStoreProviderDictionary + { + get + { return ResourceManager.GetString("TCE_NullCustomKeyStoreProviderDictionary", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. Enclave package is null during execution of an enclave based query. Enclave type is '{0}' and enclaveAttestationUrl is '{1}'.. /// - internal static string TCE_NullEnclavePackageForEnclaveBasedQuery { - get { + internal static string TCE_NullEnclavePackageForEnclaveBasedQuery + { + get + { return ResourceManager.GetString("TCE_NullEnclavePackageForEnclaveBasedQuery", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. Enclave session is null during query execution. Enclave type is '{0}' and enclaveAttestationUrl is '{1}'.. /// - internal static string TCE_NullEnclaveSessionDuringQueryExecution { - get { + internal static string TCE_NullEnclaveSessionDuringQueryExecution + { + get + { return ResourceManager.GetString("TCE_NullEnclaveSessionDuringQueryExecution", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to communicate with the enclave. Null enclave session information received from the enclave provider. Enclave type is '{0}' and enclave attestation URL is '{1}'.. /// - internal static string TCE_NullEnclaveSessionReturnedFromProvider { - get { + internal static string TCE_NullEnclaveSessionReturnedFromProvider + { + get + { return ResourceManager.GetString("TCE_NullEnclaveSessionReturnedFromProvider", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Encrypted column encryption key cannot be null.. /// - internal static string TCE_NullEncryptedColumnEncryptionKey { - get { + internal static string TCE_NullEncryptedColumnEncryptionKey + { + get + { return ResourceManager.GetString("TCE_NullEncryptedColumnEncryptionKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Key encryption algorithm cannot be null.. /// - internal static string TCE_NullKeyEncryptionAlgorithm { - get { + internal static string TCE_NullKeyEncryptionAlgorithm + { + get + { return ResourceManager.GetString("TCE_NullKeyEncryptionAlgorithm", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Key encryption algorithm cannot be null.. /// - internal static string TCE_NullKeyEncryptionAlgorithmSysErr { - get { + internal static string TCE_NullKeyEncryptionAlgorithmSysErr + { + get + { return ResourceManager.GetString("TCE_NullKeyEncryptionAlgorithmSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Plaintext value cannot be null.. /// - internal static string TCE_NullPlainText { - get { + internal static string TCE_NullPlainText + { + get + { return ResourceManager.GetString("TCE_NullPlainText", resourceCulture); } } - + /// /// Looks up a localized string similar to Null reference specified for key store provider '{0}'. Expecting a non-null value.. /// - internal static string TCE_NullProviderValue { - get { + internal static string TCE_NullProviderValue + { + get + { return ResourceManager.GetString("TCE_NullProviderValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. Failed to serialize keys to be sent to the enclave. The start offset specified by argument '{0}' for method {1}.{2} is out of bounds.. /// - internal static string TCE_OffsetOutOfBounds { - get { + internal static string TCE_OffsetOutOfBounds + { + get + { return ResourceManager.GetString("TCE_OffsetOutOfBounds", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to decrypt parameter '{0}'.. /// - internal static string TCE_ParamDecryptionFailed { - get { + internal static string TCE_ParamDecryptionFailed + { + get + { return ResourceManager.GetString("TCE_ParamDecryptionFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to encrypt parameter '{0}'.. /// - internal static string TCE_ParamEncryptionFailed { - get { + internal static string TCE_ParamEncryptionFailed + { + get + { return ResourceManager.GetString("TCE_ParamEncryptionFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Metadata for parameter '{1}' in statement or procedure '{2}' is missing in resultset returned by {0}.. /// - internal static string TCE_ParamEncryptionMetaDataMissing { - get { + internal static string TCE_ParamEncryptionMetaDataMissing + { + get + { return ResourceManager.GetString("TCE_ParamEncryptionMetaDataMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set {0} for {3} '{1}' because encryption is not enabled for the statement or procedure '{2}'.. /// - internal static string TCE_ParamInvalidForceColumnEncryptionSetting { - get { + internal static string TCE_ParamInvalidForceColumnEncryptionSetting + { + get + { return ResourceManager.GetString("TCE_ParamInvalidForceColumnEncryptionSetting", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot execute statement or procedure '{1}' because {2} was set for {3} '{0}' and the database expects this parameter to be sent as plaintext. This may be due to a configuration error.. /// - internal static string TCE_ParamUnExpectedEncryptionMetadata { - get { + internal static string TCE_ParamUnExpectedEncryptionMetadata + { + get + { return ResourceManager.GetString("TCE_ParamUnExpectedEncryptionMetadata", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Metadata for parameters for command '{1}' in a batch is missing in the resultset returned by {0}.. /// - internal static string TCE_ProcEncryptionMetaDataMissing { - get { + internal static string TCE_ProcEncryptionMetaDataMissing + { + get + { return ResourceManager.GetString("TCE_ProcEncryptionMetaDataMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to Retrieving encrypted column '{0}' with {1} is not supported.. /// - internal static string TCE_SequentialAccessNotSupportedOnEncryptedColumn { - get { + internal static string TCE_SequentialAccessNotSupportedOnEncryptedColumn + { + get + { return ResourceManager.GetString("TCE_SequentialAccessNotSupportedOnEncryptedColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. SqlColumnEncryptionEnclaveProviderName cannot be null or empty.. /// - internal static string TCE_SqlColumnEncryptionEnclaveProviderNameCannotBeEmpty { - get { + internal static string TCE_SqlColumnEncryptionEnclaveProviderNameCannotBeEmpty + { + get + { return ResourceManager.GetString("TCE_SqlColumnEncryptionEnclaveProviderNameCannotBeEmpty", resourceCulture); } } - + /// /// Looks up a localized string similar to Column encryption setting for the command. Overrides the connection level default.. /// - internal static string TCE_SqlCommand_ColumnEncryptionSetting { - get { + internal static string TCE_SqlCommand_ColumnEncryptionSetting + { + get + { return ResourceManager.GetString("TCE_SqlCommand_ColumnEncryptionSetting", resourceCulture); } } - + /// /// Looks up a localized string similar to Defines the time-to-live of entries in the column encryption key cache.. /// - internal static string TCE_SqlConnection_ColumnEncryptionKeyCacheTtl { - get { + internal static string TCE_SqlConnection_ColumnEncryptionKeyCacheTtl + { + get + { return ResourceManager.GetString("TCE_SqlConnection_ColumnEncryptionKeyCacheTtl", resourceCulture); } } - + /// /// Looks up a localized string similar to Defines whether query metadata caching is enabled.. /// - internal static string TCE_SqlConnection_ColumnEncryptionQueryMetadataCacheEnabled { - get { + internal static string TCE_SqlConnection_ColumnEncryptionQueryMetadataCacheEnabled + { + get + { return ResourceManager.GetString("TCE_SqlConnection_ColumnEncryptionQueryMetadataCacheEnabled", resourceCulture); } } - + /// /// Looks up a localized string similar to Dictionary object containing SQL Server names and their trusted column master key paths.. /// - internal static string TCE_SqlConnection_TrustedColumnMasterKeyPaths { - get { + internal static string TCE_SqlConnection_TrustedColumnMasterKeyPaths + { + get + { return ResourceManager.GetString("TCE_SqlConnection_TrustedColumnMasterKeyPaths", resourceCulture); } } - + /// /// Looks up a localized string similar to Forces parameter to be encrypted before sending sensitive data to server. . /// - internal static string TCE_SqlParameter_ForceColumnEncryption { - get { + internal static string TCE_SqlParameter_ForceColumnEncryption + { + get + { return ResourceManager.GetString("TCE_SqlParameter_ForceColumnEncryption", resourceCulture); } } - + /// /// Looks up a localized string similar to Retrieving encrypted column '{0}' as a {1} is not supported.. /// - internal static string TCE_StreamNotSupportOnEncryptedColumn { - get { + internal static string TCE_StreamNotSupportOnEncryptedColumn + { + get + { return ResourceManager.GetString("TCE_StreamNotSupportOnEncryptedColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to establish secure channel. Error Message: {0}. /// - internal static string TCE_UnableToEstablishSecureChannel { - get { + internal static string TCE_UnableToEstablishSecureChannel + { + get + { return ResourceManager.GetString("TCE_UnableToEstablishSecureChannel", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to verify a column master key signature. Error message: {0} . /// - internal static string TCE_UnableToVerifyColumnMasterKeySignature { - get { + internal static string TCE_UnableToVerifyColumnMasterKeySignature + { + get + { return ResourceManager.GetString("TCE_UnableToVerifyColumnMasterKeySignature", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. The result returned by '{0}' is invalid. The attestation information resultset is missing for enclave type '{1}'. . /// - internal static string TCE_UnexpectedDescribeParamFormatAttestationInfo { - get { + internal static string TCE_UnexpectedDescribeParamFormatAttestationInfo + { + get + { return ResourceManager.GetString("TCE_UnexpectedDescribeParamFormatAttestationInfo", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. The result returned by '{0}' is invalid. The parameter metadata resultset is missing.. /// - internal static string TCE_UnexpectedDescribeParamFormatParameterMetadata { - get { + internal static string TCE_UnexpectedDescribeParamFormatParameterMetadata + { + get + { return ResourceManager.GetString("TCE_UnexpectedDescribeParamFormatParameterMetadata", resourceCulture); } } - + /// /// Looks up a localized string similar to Encryption algorithm '{0}' for the column in the database is either invalid or corrupted. Valid algorithms are: {1}.. /// - internal static string TCE_UnknownColumnEncryptionAlgorithm { - get { + internal static string TCE_UnknownColumnEncryptionAlgorithm + { + get + { return ResourceManager.GetString("TCE_UnknownColumnEncryptionAlgorithm", resourceCulture); } } - + /// /// Looks up a localized string similar to Encryption algorithm id '{0}' for the column in the database is either invalid or corrupted. Valid encryption algorithm ids are: {1}.. /// - internal static string TCE_UnknownColumnEncryptionAlgorithmId { - get { + internal static string TCE_UnknownColumnEncryptionAlgorithmId + { + get + { return ResourceManager.GetString("TCE_UnknownColumnEncryptionAlgorithmId", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to decrypt a column encryption key. Invalid key store provider name: '{0}'. A key store provider name must denote either a system key store provider or a registered custom key store provider. Valid system key store provider names are: {1}. Valid (currently registered) custom key store provider names are: {2}. Please verify key store provider information in column master key definitions in the database, and verify all custom key store providers used in your application are registered properly.. /// - internal static string TCE_UnrecognizedKeyStoreProviderName { - get { + internal static string TCE_UnrecognizedKeyStoreProviderName + { + get + { return ResourceManager.GetString("TCE_UnrecognizedKeyStoreProviderName", resourceCulture); } } - + /// /// Looks up a localized string similar to Encryption and decryption of data type '{0}' is not supported.. /// - internal static string TCE_UnsupportedDatatype { - get { + internal static string TCE_UnsupportedDatatype + { + get + { return ResourceManager.GetString("TCE_UnsupportedDatatype", resourceCulture); } } - + /// /// Looks up a localized string similar to Normalization version '{0}' received from {2} is not supported. Valid normalization versions are: {1}.. /// - internal static string TCE_UnsupportedNormalizationVersion { - get { + internal static string TCE_UnsupportedNormalizationVersion + { + get + { return ResourceManager.GetString("TCE_UnsupportedNormalizationVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to Column master key path '{0}' received from server '{1}' is not a trusted key path.. /// - internal static string TCE_UntrustedKeyPath { - get { + internal static string TCE_UntrustedKeyPath + { + get + { return ResourceManager.GetString("TCE_UntrustedKeyPath", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot encrypt. Encrypting resulted in {0} bytes of ciphertext which exceeds the maximum allowed limit of {1} bytes. The specified plaintext value is likely too large (plaintext size is: {2} bytes).. /// - internal static string TCE_VeryLargeCiphertext { - get { + internal static string TCE_VeryLargeCiphertext + { + get + { return ResourceManager.GetString("TCE_VeryLargeCiphertext", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to check if the enclave is running in the production mode. Contact Customer Support Services.. /// - internal static string VerifyEnclaveDebuggable { - get { + internal static string VerifyEnclaveDebuggable + { + get + { return ResourceManager.GetString("VerifyEnclaveDebuggable", resourceCulture); } } - + /// /// Looks up a localized string similar to Could not verify enclave policy due to a difference between the expected and actual values of the policy on property '{0}'. Actual: '{1}', Expected: '{2}'.. /// - internal static string VerifyEnclavePolicyFailedFormat { - get { + internal static string VerifyEnclavePolicyFailedFormat + { + get + { return ResourceManager.GetString("VerifyEnclavePolicyFailedFormat", resourceCulture); } } - + /// /// Looks up a localized string similar to Signature verification of the enclave report failed. The report signature does not match the signature computed using the HGS root certificate. Verify the DNS mapping for the endpoint. If correct, contact Customer Support Services.. /// - internal static string VerifyEnclaveReportFailed { - get { + internal static string VerifyEnclaveReportFailed + { + get + { return ResourceManager.GetString("VerifyEnclaveReportFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to The enclave report received from SQL Server is not in the correct format. Contact Customer Support Services.. /// - internal static string VerifyEnclaveReportFormatFailed { - get { + internal static string VerifyEnclaveReportFormatFailed + { + get + { return ResourceManager.GetString("VerifyEnclaveReportFormatFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to build a chain of trust between the enclave host's health report and the HGS root certificate for attestation URL '{0}' with status: '{1}'. Verify the attestation URL matches the URL configured on the SQL Server machine. If both the client and SQL Server use the same attestation service, contact Customer Support Services.. /// - internal static string VerifyHealthCertificateChainFormat { - get { + internal static string VerifyHealthCertificateChainFormat + { + get + { return ResourceManager.GetString("VerifyHealthCertificateChainFormat", resourceCulture); } } - + /// /// Looks up a localized string similar to The value of attribute '{0}' should be '{1}' or '{2}'.. /// - internal static string Xml_AttributeValues { - get { + internal static string Xml_AttributeValues + { + get + { return ResourceManager.GetString("Xml_AttributeValues", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot convert '{0}' to type '{1}'.. /// - internal static string Xml_CannotConvert { - get { + internal static string Xml_CannotConvert + { + get + { return ResourceManager.GetString("Xml_CannotConvert", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to proceed with deserialization. Data does not implement IXMLSerializable, therefore polymorphism is not supported.. /// - internal static string Xml_CanNotDeserializeObjectType { - get { + internal static string Xml_CanNotDeserializeObjectType + { + get + { return ResourceManager.GetString("Xml_CanNotDeserializeObjectType", resourceCulture); } } - + /// /// Looks up a localized string similar to DataSet cannot instantiate an abstract ComplexType for the node {0}.. /// - internal static string Xml_CannotInstantiateAbstract { - get { + internal static string Xml_CannotInstantiateAbstract + { + get + { return ResourceManager.GetString("Xml_CannotInstantiateAbstract", resourceCulture); } } - + /// /// Looks up a localized string similar to DataSet doesn't allow the circular reference in the ComplexType named '{0}'.. /// - internal static string Xml_CircularComplexType { - get { + internal static string Xml_CircularComplexType + { + get + { return ResourceManager.GetString("Xml_CircularComplexType", resourceCulture); } } - + /// /// Looks up a localized string similar to Column name '{0}' is defined for different mapping types.. /// - internal static string Xml_ColumnConflict { - get { + internal static string Xml_ColumnConflict + { + get + { return ResourceManager.GetString("Xml_ColumnConflict", resourceCulture); } } - + /// /// Looks up a localized string similar to DataTable does not support schema inference from Xml.. /// - internal static string Xml_DataTableInferenceNotSupported { - get { + internal static string Xml_DataTableInferenceNotSupported + { + get + { return ResourceManager.GetString("Xml_DataTableInferenceNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Data type not defined.. /// - internal static string Xml_DatatypeNotDefined { - get { + internal static string Xml_DatatypeNotDefined + { + get + { return ResourceManager.GetString("Xml_DatatypeNotDefined", resourceCulture); } } - + /// /// Looks up a localized string similar to The constraint name {0} is already used in the schema.. /// - internal static string Xml_DuplicateConstraint { - get { + internal static string Xml_DuplicateConstraint + { + get + { return ResourceManager.GetString("Xml_DuplicateConstraint", resourceCulture); } } - + /// /// Looks up a localized string similar to DataSet will not serialize types that implement IDynamicMetaObjectProvider but do not also implement IXmlSerializable.. /// - internal static string Xml_DynamicWithoutXmlSerializable { - get { + internal static string Xml_DynamicWithoutXmlSerializable + { + get + { return ResourceManager.GetString("Xml_DynamicWithoutXmlSerializable", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot find ElementType name='{0}'.. /// - internal static string Xml_ElementTypeNotFound { - get { + internal static string Xml_ElementTypeNotFound + { + get + { return ResourceManager.GetString("Xml_ElementTypeNotFound", resourceCulture); } } - + /// /// Looks up a localized string similar to DataSet cannot expand entities. Use XmlValidatingReader and set the EntityHandling property accordingly.. /// - internal static string Xml_FoundEntity { - get { + internal static string Xml_FoundEntity + { + get + { return ResourceManager.GetString("Xml_FoundEntity", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid XPath selection inside field node. Cannot find: {0}.. /// - internal static string Xml_InvalidField { - get { + internal static string Xml_InvalidField + { + get + { return ResourceManager.GetString("Xml_InvalidField", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid 'Key' node inside constraint named: {0}.. /// - internal static string Xml_InvalidKey { - get { + internal static string Xml_InvalidKey + { + get + { return ResourceManager.GetString("Xml_InvalidKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Prefix '{0}' is not valid, because it contains special characters.. /// - internal static string Xml_InvalidPrefix { - get { + internal static string Xml_InvalidPrefix + { + get + { return ResourceManager.GetString("Xml_InvalidPrefix", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid XPath selection inside selector node: {0}.. /// - internal static string Xml_InvalidSelector { - get { + internal static string Xml_InvalidSelector + { + get + { return ResourceManager.GetString("Xml_InvalidSelector", resourceCulture); } } - + /// /// Looks up a localized string similar to IsDataSet attribute is missing in input Schema.. /// - internal static string Xml_IsDataSetAttributeMissingInSchema { - get { + internal static string Xml_IsDataSetAttributeMissingInSchema + { + get + { return ResourceManager.GetString("Xml_IsDataSetAttributeMissingInSchema", resourceCulture); } } - + /// /// Looks up a localized string similar to Duplicated declaration '{0}'.. /// - internal static string Xml_MergeDuplicateDeclaration { - get { + internal static string Xml_MergeDuplicateDeclaration + { + get + { return ResourceManager.GetString("Xml_MergeDuplicateDeclaration", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid Relation definition: different length keys.. /// - internal static string Xml_MismatchKeyLength { - get { + internal static string Xml_MismatchKeyLength + { + get + { return ResourceManager.GetString("Xml_MismatchKeyLength", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid {0} syntax: missing required '{1}' attribute.. /// - internal static string Xml_MissingAttribute { - get { + internal static string Xml_MissingAttribute + { + get + { return ResourceManager.GetString("Xml_MissingAttribute", resourceCulture); } } - + /// /// Looks up a localized string similar to Missing '{0}' part in '{1}' constraint named '{2}'.. /// - internal static string Xml_MissingRefer { - get { + internal static string Xml_MissingRefer + { + get + { return ResourceManager.GetString("Xml_MissingRefer", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot load diffGram. The 'sql' node is missing.. /// - internal static string Xml_MissingSQL { - get { + internal static string Xml_MissingSQL + { + get + { return ResourceManager.GetString("Xml_MissingSQL", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot load diffGram. Table '{0}' is missing in the destination dataset.. /// - internal static string Xml_MissingTable { - get { + internal static string Xml_MissingTable + { + get + { return ResourceManager.GetString("Xml_MissingTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot proceed with serializing DataTable '{0}'. It contains a DataRow which has multiple parent rows on the same Foreign Key.. /// - internal static string Xml_MultipleParentRows { - get { + internal static string Xml_MultipleParentRows + { + get + { return ResourceManager.GetString("Xml_MultipleParentRows", resourceCulture); } } - + /// /// Looks up a localized string similar to An error occurred with the multiple target converter while writing an Xml Schema. A null or empty string was returned.. /// - internal static string Xml_MultipleTargetConverterEmpty { - get { + internal static string Xml_MultipleTargetConverterEmpty + { + get + { return ResourceManager.GetString("Xml_MultipleTargetConverterEmpty", resourceCulture); } } - + /// /// Looks up a localized string similar to An error occurred with the multiple target converter while writing an Xml Schema. See the inner exception for details.. /// - internal static string Xml_MultipleTargetConverterError { - get { + internal static string Xml_MultipleTargetConverterError + { + get + { return ResourceManager.GetString("Xml_MultipleTargetConverterError", resourceCulture); } } - + /// /// Looks up a localized string similar to Circular reference in self-nested table '{0}'.. /// - internal static string Xml_NestedCircular { - get { + internal static string Xml_NestedCircular + { + get + { return ResourceManager.GetString("Xml_NestedCircular", resourceCulture); } } - + /// /// Looks up a localized string similar to Type '{0}' does not implement IXmlSerializable interface therefore can not proceed with serialization.. /// - internal static string Xml_PolymorphismNotSupported { - get { + internal static string Xml_PolymorphismNotSupported + { + get + { return ResourceManager.GetString("Xml_PolymorphismNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Child table key is missing in relation '{0}'.. /// - internal static string Xml_RelationChildKeyMissing { - get { + internal static string Xml_RelationChildKeyMissing + { + get + { return ResourceManager.GetString("Xml_RelationChildKeyMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to Child table name is missing in relation '{0}'.. /// - internal static string Xml_RelationChildNameMissing { - get { + internal static string Xml_RelationChildNameMissing + { + get + { return ResourceManager.GetString("Xml_RelationChildNameMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to Parent table name is missing in relation '{0}'.. /// - internal static string Xml_RelationParentNameMissing { - get { + internal static string Xml_RelationParentNameMissing + { + get + { return ResourceManager.GetString("Xml_RelationParentNameMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to Parent table key is missing in relation '{0}'.. /// - internal static string Xml_RelationTableKeyMissing { - get { + internal static string Xml_RelationTableKeyMissing + { + get + { return ResourceManager.GetString("Xml_RelationTableKeyMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to DataSet doesn't support 'union' or 'list' as simpleType.. /// - internal static string Xml_SimpleTypeNotSupported { - get { + internal static string Xml_SimpleTypeNotSupported + { + get + { return ResourceManager.GetString("Xml_SimpleTypeNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot determine the DataSet Element. IsDataSet attribute exist more than once.. /// - internal static string Xml_TooManyIsDataSetAtributeInSchema { - get { + internal static string Xml_TooManyIsDataSetAtributeInSchema + { + get + { return ResourceManager.GetString("Xml_TooManyIsDataSetAtributeInSchema", resourceCulture); } } - + /// /// Looks up a localized string similar to Undefined data type: '{0}'.. /// - internal static string Xml_UndefinedDatatype { - get { + internal static string Xml_UndefinedDatatype + { + get + { return ResourceManager.GetString("Xml_UndefinedDatatype", resourceCulture); } } - + /// /// Looks up a localized string similar to Value '{1}' is invalid for attribute '{0}'.. /// - internal static string Xml_ValueOutOfRange { - get { + internal static string Xml_ValueOutOfRange + { + get + { return ResourceManager.GetString("Xml_ValueOutOfRange", resourceCulture); } } diff --git a/src/Microsoft.Data.SqlClient/netfx/src/Resources/Strings.resx b/src/Microsoft.Data.SqlClient/netfx/src/Resources/Strings.resx index 3c2d2c8e0d..e4adaf67c1 100644 --- a/src/Microsoft.Data.SqlClient/netfx/src/Resources/Strings.resx +++ b/src/Microsoft.Data.SqlClient/netfx/src/Resources/Strings.resx @@ -4602,4 +4602,7 @@ Failed after 5 retries. + + Unexpected type detected on deserialize. + \ No newline at end of file From 44a9144e7229ba8a492655a74562e5e35ea920b2 Mon Sep 17 00:00:00 2001 From: jJRahnama Date: Wed, 17 Feb 2021 21:21:54 -0800 Subject: [PATCH 12/13] add extra line to the end of strings designer --- .../netfx/src/Resources/Strings.Designer.cs | 12001 ++++++---------- 1 file changed, 4501 insertions(+), 7500 deletions(-) diff --git a/src/Microsoft.Data.SqlClient/netfx/src/Resources/Strings.Designer.cs b/src/Microsoft.Data.SqlClient/netfx/src/Resources/Strings.Designer.cs index 809bc74007..3ac23773ca 100644 --- a/src/Microsoft.Data.SqlClient/netfx/src/Resources/Strings.Designer.cs +++ b/src/Microsoft.Data.SqlClient/netfx/src/Resources/Strings.Designer.cs @@ -8,11 +8,10 @@ // //------------------------------------------------------------------------------ -namespace System -{ +namespace System { using System; - - + + /// /// A strongly-typed resource class, for looking up localized strings, etc. /// @@ -23,16496 +22,13498 @@ namespace System [global::System.CodeDom.Compiler.GeneratedCodeAttribute("System.Resources.Tools.StronglyTypedResourceBuilder", "16.0.0.0")] [global::System.Diagnostics.DebuggerNonUserCodeAttribute()] [global::System.Runtime.CompilerServices.CompilerGeneratedAttribute()] - internal class Strings - { - + internal class Strings { + private static global::System.Resources.ResourceManager resourceMan; - + private static global::System.Globalization.CultureInfo resourceCulture; - + [global::System.Diagnostics.CodeAnalysis.SuppressMessageAttribute("Microsoft.Performance", "CA1811:AvoidUncalledPrivateCode")] - internal Strings() - { + internal Strings() { } - + /// /// Returns the cached ResourceManager instance used by this class. /// [global::System.ComponentModel.EditorBrowsableAttribute(global::System.ComponentModel.EditorBrowsableState.Advanced)] - internal static global::System.Resources.ResourceManager ResourceManager - { - get - { - if (object.ReferenceEquals(resourceMan, null)) - { + internal static global::System.Resources.ResourceManager ResourceManager { + get { + if (object.ReferenceEquals(resourceMan, null)) { global::System.Resources.ResourceManager temp = new global::System.Resources.ResourceManager("SqlClient.Resources.Strings", typeof(Strings).Assembly); resourceMan = temp; } return resourceMan; } } - + /// /// Overrides the current thread's CurrentUICulture property for all /// resource lookups using this strongly typed resource class. /// [global::System.ComponentModel.EditorBrowsableAttribute(global::System.ComponentModel.EditorBrowsableState.Advanced)] - internal static global::System.Globalization.CultureInfo Culture - { - get - { + internal static global::System.Globalization.CultureInfo Culture { + get { return resourceCulture; } - set - { + set { resourceCulture = value; } } - + /// /// Looks up a localized string similar to Data adapter mapping error.. /// - internal static string ADP_AdapterMappingExceptionMessage - { - get - { + internal static string ADP_AdapterMappingExceptionMessage { + get { return ResourceManager.GetString("ADP_AdapterMappingExceptionMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Ascending. /// - internal static string ADP_Ascending - { - get - { + internal static string ADP_Ascending { + get { return ResourceManager.GetString("ADP_Ascending", resourceCulture); } } - + /// /// Looks up a localized string similar to Specified parameter name '{0}' is not valid.. /// - internal static string ADP_BadParameterName - { - get - { + internal static string ADP_BadParameterName { + get { return ResourceManager.GetString("ADP_BadParameterName", resourceCulture); } } - + /// /// Looks up a localized string similar to The method '{0}' cannot be called more than once for the same execution.. /// - internal static string ADP_CalledTwice - { - get - { + internal static string ADP_CalledTwice { + get { return ResourceManager.GetString("ADP_CalledTwice", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid operation. The connection is closed.. /// - internal static string ADP_ClosedConnectionError - { - get - { + internal static string ADP_ClosedConnectionError { + get { return ResourceManager.GetString("ADP_ClosedConnectionError", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid index {0} for this {1} with Count={2}.. /// - internal static string ADP_CollectionIndexInt32 - { - get - { + internal static string ADP_CollectionIndexInt32 { + get { return ResourceManager.GetString("ADP_CollectionIndexInt32", resourceCulture); } } - + /// /// Looks up a localized string similar to A {0} with {1} '{2}' is not contained by this {3}.. /// - internal static string ADP_CollectionIndexString - { - get - { + internal static string ADP_CollectionIndexString { + get { return ResourceManager.GetString("ADP_CollectionIndexString", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} only accepts non-null {1} type objects, not {2} objects.. /// - internal static string ADP_CollectionInvalidType - { - get - { + internal static string ADP_CollectionInvalidType { + get { return ResourceManager.GetString("ADP_CollectionInvalidType", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} is already contained by another {1}.. /// - internal static string ADP_CollectionIsNotParent - { - get - { + internal static string ADP_CollectionIsNotParent { + get { return ResourceManager.GetString("ADP_CollectionIsNotParent", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} with is already contained by this {1}.. /// - internal static string ADP_CollectionIsParent - { - get - { + internal static string ADP_CollectionIsParent { + get { return ResourceManager.GetString("ADP_CollectionIsParent", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} only accepts non-null {1} type objects.. /// - internal static string ADP_CollectionNullValue - { - get - { + internal static string ADP_CollectionNullValue { + get { return ResourceManager.GetString("ADP_CollectionNullValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Attempted to remove an {0} that is not contained by this {1}.. /// - internal static string ADP_CollectionRemoveInvalidObject - { - get - { + internal static string ADP_CollectionRemoveInvalidObject { + get { return ResourceManager.GetString("ADP_CollectionRemoveInvalidObject", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0}.{1} is required to be unique, '{2}' already exists in the collection.. /// - internal static string ADP_CollectionUniqueValue - { - get - { + internal static string ADP_CollectionUniqueValue { + get { return ResourceManager.GetString("ADP_CollectionUniqueValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The column mapping from SourceColumn '{0}' failed because the DataColumn '{1}' is a computed column.. /// - internal static string ADP_ColumnSchemaExpression - { - get - { + internal static string ADP_ColumnSchemaExpression { + get { return ResourceManager.GetString("ADP_ColumnSchemaExpression", resourceCulture); } } - + /// /// Looks up a localized string similar to Inconvertible type mismatch between SourceColumn '{0}' of {1} and the DataColumn '{2}' of {3}.. /// - internal static string ADP_ColumnSchemaMismatch - { - get - { + internal static string ADP_ColumnSchemaMismatch { + get { return ResourceManager.GetString("ADP_ColumnSchemaMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Missing the DataColumn '{0}' for the SourceColumn '{2}'.. /// - internal static string ADP_ColumnSchemaMissing1 - { - get - { + internal static string ADP_ColumnSchemaMissing1 { + get { return ResourceManager.GetString("ADP_ColumnSchemaMissing1", resourceCulture); } } - + /// /// Looks up a localized string similar to Missing the DataColumn '{0}' in the DataTable '{1}' for the SourceColumn '{2}'.. /// - internal static string ADP_ColumnSchemaMissing2 - { - get - { + internal static string ADP_ColumnSchemaMissing2 { + get { return ResourceManager.GetString("ADP_ColumnSchemaMissing2", resourceCulture); } } - + /// /// Looks up a localized string similar to {0}: CommandText property has not been initialized. /// - internal static string ADP_CommandTextRequired - { - get - { + internal static string ADP_CommandTextRequired { + get { return ResourceManager.GetString("ADP_CommandTextRequired", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to retrieve the ComputerNameDnsFullyQualified, {0}.. /// - internal static string ADP_ComputerNameEx - { - get - { + internal static string ADP_ComputerNameEx { + get { return ResourceManager.GetString("ADP_ComputerNameEx", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires a connection.. /// - internal static string ADP_ConnecitonRequired_UpdateRows - { - get - { + internal static string ADP_ConnecitonRequired_UpdateRows { + get { return ResourceManager.GetString("ADP_ConnecitonRequired_UpdateRows", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection was not closed. {0}. /// - internal static string ADP_ConnectionAlreadyOpen - { - get - { + internal static string ADP_ConnectionAlreadyOpen { + get { return ResourceManager.GetString("ADP_ConnectionAlreadyOpen", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection has been disabled.. /// - internal static string ADP_ConnectionIsDisabled - { - get - { + internal static string ADP_ConnectionIsDisabled { + get { return ResourceManager.GetString("ADP_ConnectionIsDisabled", resourceCulture); } } - + /// /// Looks up a localized string similar to {0}: Connection property has not been initialized.. /// - internal static string ADP_ConnectionRequired - { - get - { + internal static string ADP_ConnectionRequired { + get { return ResourceManager.GetString("ADP_ConnectionRequired", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires a connection object. The Connection property has not been initialized.. /// - internal static string ADP_ConnectionRequired_Batch - { - get - { + internal static string ADP_ConnectionRequired_Batch { + get { return ResourceManager.GetString("ADP_ConnectionRequired_Batch", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires the command clone to have a connection object. The Connection property of the command clone has not been initialized.. /// - internal static string ADP_ConnectionRequired_Clone - { - get - { + internal static string ADP_ConnectionRequired_Clone { + get { return ResourceManager.GetString("ADP_ConnectionRequired_Clone", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires the DeleteCommand to have a connection object. The Connection property of the DeleteCommand has not been initialized.. /// - internal static string ADP_ConnectionRequired_Delete - { - get - { + internal static string ADP_ConnectionRequired_Delete { + get { return ResourceManager.GetString("ADP_ConnectionRequired_Delete", resourceCulture); } } - + /// /// Looks up a localized string similar to Fill: SelectCommand.Connection property has not been initialized.. /// - internal static string ADP_ConnectionRequired_Fill - { - get - { + internal static string ADP_ConnectionRequired_Fill { + get { return ResourceManager.GetString("ADP_ConnectionRequired_Fill", resourceCulture); } } - + /// /// Looks up a localized string similar to FillPage: SelectCommand.Connection property has not been initialized.. /// - internal static string ADP_ConnectionRequired_FillPage - { - get - { + internal static string ADP_ConnectionRequired_FillPage { + get { return ResourceManager.GetString("ADP_ConnectionRequired_FillPage", resourceCulture); } } - + /// /// Looks up a localized string similar to FillSchema: SelectCommand.Connection property has not been initialized.. /// - internal static string ADP_ConnectionRequired_FillSchema - { - get - { + internal static string ADP_ConnectionRequired_FillSchema { + get { return ResourceManager.GetString("ADP_ConnectionRequired_FillSchema", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires the InsertCommand to have a connection object. The Connection property of the InsertCommand has not been initialized.. /// - internal static string ADP_ConnectionRequired_Insert - { - get - { + internal static string ADP_ConnectionRequired_Insert { + get { return ResourceManager.GetString("ADP_ConnectionRequired_Insert", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires the UpdateCommand to have a connection object. The Connection property of the UpdateCommand has not been initialized.. /// - internal static string ADP_ConnectionRequired_Update - { - get - { + internal static string ADP_ConnectionRequired_Update { + get { return ResourceManager.GetString("ADP_ConnectionRequired_Update", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection's current state: {0}.. /// - internal static string ADP_ConnectionStateMsg - { - get - { + internal static string ADP_ConnectionStateMsg { + get { return ResourceManager.GetString("ADP_ConnectionStateMsg", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection's current state is closed.. /// - internal static string ADP_ConnectionStateMsg_Closed - { - get - { + internal static string ADP_ConnectionStateMsg_Closed { + get { return ResourceManager.GetString("ADP_ConnectionStateMsg_Closed", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection's current state is connecting.. /// - internal static string ADP_ConnectionStateMsg_Connecting - { - get - { + internal static string ADP_ConnectionStateMsg_Connecting { + get { return ResourceManager.GetString("ADP_ConnectionStateMsg_Connecting", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection's current state is open.. /// - internal static string ADP_ConnectionStateMsg_Open - { - get - { + internal static string ADP_ConnectionStateMsg_Open { + get { return ResourceManager.GetString("ADP_ConnectionStateMsg_Open", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection's current state is executing.. /// - internal static string ADP_ConnectionStateMsg_OpenExecuting - { - get - { + internal static string ADP_ConnectionStateMsg_OpenExecuting { + get { return ResourceManager.GetString("ADP_ConnectionStateMsg_OpenExecuting", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection's current state is fetching.. /// - internal static string ADP_ConnectionStateMsg_OpenFetching - { - get - { + internal static string ADP_ConnectionStateMsg_OpenFetching { + get { return ResourceManager.GetString("ADP_ConnectionStateMsg_OpenFetching", resourceCulture); } } - + /// /// Looks up a localized string similar to Format of the initialization string does not conform to specification starting at index {0}.. /// - internal static string ADP_ConnectionStringSyntax - { - get - { + internal static string ADP_ConnectionStringSyntax { + get { return ResourceManager.GetString("ADP_ConnectionStringSyntax", resourceCulture); } } - + /// /// Looks up a localized string similar to Data adapter error.. /// - internal static string ADP_DataAdapterExceptionMessage - { - get - { + internal static string ADP_DataAdapterExceptionMessage { + get { return ResourceManager.GetString("ADP_DataAdapterExceptionMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to The argument is too long.. /// - internal static string ADP_DatabaseNameTooLong - { - get - { + internal static string ADP_DatabaseNameTooLong { + get { return ResourceManager.GetString("ADP_DatabaseNameTooLong", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to call {0} when reader is closed.. /// - internal static string ADP_DataReaderClosed - { - get - { + internal static string ADP_DataReaderClosed { + get { return ResourceManager.GetString("ADP_DataReaderClosed", resourceCulture); } } - + /// /// Looks up a localized string similar to No data exists for the row/column.. /// - internal static string ADP_DataReaderNoData - { - get - { + internal static string ADP_DataReaderNoData { + get { return ResourceManager.GetString("ADP_DataReaderNoData", resourceCulture); } } - + /// /// Looks up a localized string similar to DB concurrency violation.. /// - internal static string ADP_DBConcurrencyExceptionMessage - { - get - { + internal static string ADP_DBConcurrencyExceptionMessage { + get { return ResourceManager.GetString("ADP_DBConcurrencyExceptionMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}' cannot be called when the DbDataRecord is read only.. /// - internal static string ADP_DbDataUpdatableRecordReadOnly - { - get - { + internal static string ADP_DbDataUpdatableRecordReadOnly { + get { return ResourceManager.GetString("ADP_DbDataUpdatableRecordReadOnly", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}' cannot be called when the record is read only.. /// - internal static string ADP_DbRecordReadOnly - { - get - { + internal static string ADP_DbRecordReadOnly { + get { return ResourceManager.GetString("ADP_DbRecordReadOnly", resourceCulture); } } - + /// /// Looks up a localized string similar to No mapping exists from DbType {0} to a known {1}.. /// - internal static string ADP_DbTypeNotSupported - { - get - { + internal static string ADP_DbTypeNotSupported { + get { return ResourceManager.GetString("ADP_DbTypeNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot enlist in the transaction because the connection is the primary connection for a delegated or promoted transaction.. /// - internal static string ADP_DelegatedTransactionPresent - { - get - { + internal static string ADP_DelegatedTransactionPresent { + get { return ResourceManager.GetString("ADP_DelegatedTransactionPresent", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} DeriveParameters only supports CommandType.StoredProcedure, not CommandType.{1}.. /// - internal static string ADP_DeriveParametersNotSupported - { - get - { + internal static string ADP_DeriveParametersNotSupported { + get { return ResourceManager.GetString("ADP_DeriveParametersNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Descending. /// - internal static string ADP_Descending - { - get - { + internal static string ADP_Descending { + get { return ResourceManager.GetString("ADP_Descending", resourceCulture); } } - + /// /// Looks up a localized string similar to The acceptable values for the property '{0}' are '{1}' or '{2}'.. /// - internal static string ADP_DoubleValuedProperty - { - get - { + internal static string ADP_DoubleValuedProperty { + get { return ResourceManager.GetString("ADP_DoubleValuedProperty", resourceCulture); } } - + /// /// Looks up a localized string similar to Dynamic SQL generation is not supported against multiple base tables.. /// - internal static string ADP_DynamicSQLJoinUnsupported - { - get - { + internal static string ADP_DynamicSQLJoinUnsupported { + get { return ResourceManager.GetString("ADP_DynamicSQLJoinUnsupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Dynamic SQL generation not supported against table names '{0}' that contain the QuotePrefix or QuoteSuffix character '{1}'.. /// - internal static string ADP_DynamicSQLNestedQuote - { - get - { + internal static string ADP_DynamicSQLNestedQuote { + get { return ResourceManager.GetString("ADP_DynamicSQLNestedQuote", resourceCulture); } } - + /// /// Looks up a localized string similar to Dynamic SQL generation for the DeleteCommand is not supported against a SelectCommand that does not return any key column information.. /// - internal static string ADP_DynamicSQLNoKeyInfoDelete - { - get - { + internal static string ADP_DynamicSQLNoKeyInfoDelete { + get { return ResourceManager.GetString("ADP_DynamicSQLNoKeyInfoDelete", resourceCulture); } } - + /// /// Looks up a localized string similar to Dynamic SQL generation for the DeleteCommand is not supported against a SelectCommand that does not contain a row version column.. /// - internal static string ADP_DynamicSQLNoKeyInfoRowVersionDelete - { - get - { + internal static string ADP_DynamicSQLNoKeyInfoRowVersionDelete { + get { return ResourceManager.GetString("ADP_DynamicSQLNoKeyInfoRowVersionDelete", resourceCulture); } } - + /// /// Looks up a localized string similar to Dynamic SQL generation for the UpdateCommand is not supported against a SelectCommand that does not contain a row version column.. /// - internal static string ADP_DynamicSQLNoKeyInfoRowVersionUpdate - { - get - { + internal static string ADP_DynamicSQLNoKeyInfoRowVersionUpdate { + get { return ResourceManager.GetString("ADP_DynamicSQLNoKeyInfoRowVersionUpdate", resourceCulture); } } - + /// /// Looks up a localized string similar to Dynamic SQL generation for the UpdateCommand is not supported against a SelectCommand that does not return any key column information.. /// - internal static string ADP_DynamicSQLNoKeyInfoUpdate - { - get - { + internal static string ADP_DynamicSQLNoKeyInfoUpdate { + get { return ResourceManager.GetString("ADP_DynamicSQLNoKeyInfoUpdate", resourceCulture); } } - + /// /// Looks up a localized string similar to Dynamic SQL generation is not supported against a SelectCommand that does not return any base table information.. /// - internal static string ADP_DynamicSQLNoTableInfo - { - get - { + internal static string ADP_DynamicSQLNoTableInfo { + get { return ResourceManager.GetString("ADP_DynamicSQLNoTableInfo", resourceCulture); } } - + /// /// Looks up a localized string similar to Expecting non-empty array for '{0}' parameter.. /// - internal static string ADP_EmptyArray - { - get - { + internal static string ADP_EmptyArray { + get { return ResourceManager.GetString("ADP_EmptyArray", resourceCulture); } } - + /// /// Looks up a localized string similar to Database cannot be null, the empty string, or string of only whitespace.. /// - internal static string ADP_EmptyDatabaseName - { - get - { + internal static string ADP_EmptyDatabaseName { + get { return ResourceManager.GetString("ADP_EmptyDatabaseName", resourceCulture); } } - + /// /// Looks up a localized string similar to Expecting non-empty string for '{0}' parameter.. /// - internal static string ADP_EmptyString - { - get - { + internal static string ADP_EmptyString { + get { return ResourceManager.GetString("ADP_EmptyString", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}':The length of the literal value must be even.. /// - internal static string ADP_EvenLengthLiteralValue - { - get - { + internal static string ADP_EvenLengthLiteralValue { + get { return ResourceManager.GetString("ADP_EvenLengthLiteralValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Hierarchical chapter columns must map to an AutoIncrement DataColumn.. /// - internal static string ADP_FillChapterAutoIncrement - { - get - { + internal static string ADP_FillChapterAutoIncrement { + get { return ResourceManager.GetString("ADP_FillChapterAutoIncrement", resourceCulture); } } - + /// /// Looks up a localized string similar to Fill: expected a non-empty string for the SourceTable name.. /// - internal static string ADP_FillRequiresSourceTableName - { - get - { + internal static string ADP_FillRequiresSourceTableName { + get { return ResourceManager.GetString("ADP_FillRequiresSourceTableName", resourceCulture); } } - + /// /// Looks up a localized string similar to FillSchema: expected a non-empty string for the SourceTable name.. /// - internal static string ADP_FillSchemaRequiresSourceTableName - { - get - { + internal static string ADP_FillSchemaRequiresSourceTableName { + get { return ResourceManager.GetString("ADP_FillSchemaRequiresSourceTableName", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}':The literal value must be a string with hexadecimal digits. /// - internal static string ADP_HexDigitLiteralValue - { - get - { + internal static string ADP_HexDigitLiteralValue { + get { return ResourceManager.GetString("ADP_HexDigitLiteralValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Incorrect async result.. /// - internal static string ADP_IncorrectAsyncResult - { - get - { + internal static string ADP_IncorrectAsyncResult { + get { return ResourceManager.GetString("ADP_IncorrectAsyncResult", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal DbConnection Error: {0}. /// - internal static string ADP_InternalConnectionError - { - get - { + internal static string ADP_InternalConnectionError { + get { return ResourceManager.GetString("ADP_InternalConnectionError", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal .NET Framework Data Provider error {0}.. /// - internal static string ADP_InternalProviderError - { - get - { + internal static string ADP_InternalProviderError { + get { return ResourceManager.GetString("ADP_InternalProviderError", resourceCulture); } } - + /// /// Looks up a localized string similar to The length of argument '{0}' exceeds it's limit of '{1}'.. /// - internal static string ADP_InvalidArgumentLength - { - get - { + internal static string ADP_InvalidArgumentLength { + get { return ResourceManager.GetString("ADP_InvalidArgumentLength", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid argument value for method '{0}'.. /// - internal static string ADP_InvalidArgumentValue - { - get - { + internal static string ADP_InvalidArgumentValue { + get { return ResourceManager.GetString("ADP_InvalidArgumentValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Buffer offset '{1}' plus the bytes available '{0}' is greater than the length of the passed in buffer.. /// - internal static string ADP_InvalidBufferSizeOrIndex - { - get - { + internal static string ADP_InvalidBufferSizeOrIndex { + get { return ResourceManager.GetString("ADP_InvalidBufferSizeOrIndex", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid CommandTimeout value {0}; the value must be >= 0.. /// - internal static string ADP_InvalidCommandTimeout - { - get - { + internal static string ADP_InvalidCommandTimeout { + get { return ResourceManager.GetString("ADP_InvalidCommandTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid value for key '{0}'.. /// - internal static string ADP_InvalidConnectionOptionValue - { - get - { + internal static string ADP_InvalidConnectionOptionValue { + get { return ResourceManager.GetString("ADP_InvalidConnectionOptionValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The value's length for key '{0}' exceeds it's limit of '{1}'.. /// - internal static string ADP_InvalidConnectionOptionValueLength - { - get - { + internal static string ADP_InvalidConnectionOptionValueLength { + get { return ResourceManager.GetString("ADP_InvalidConnectionOptionValueLength", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid 'Connect Timeout' value which must be an integer >= 0.. /// - internal static string ADP_InvalidConnectTimeoutValue - { - get - { + internal static string ADP_InvalidConnectTimeoutValue { + get { return ResourceManager.GetString("ADP_InvalidConnectTimeoutValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The DataDirectory substitute is not a string.. /// - internal static string ADP_InvalidDataDirectory - { - get - { + internal static string ADP_InvalidDataDirectory { + get { return ResourceManager.GetString("ADP_InvalidDataDirectory", resourceCulture); } } - + /// /// Looks up a localized string similar to Data length '{0}' is less than 0.. /// - internal static string ADP_InvalidDataLength - { - get - { + internal static string ADP_InvalidDataLength { + get { return ResourceManager.GetString("ADP_InvalidDataLength", resourceCulture); } } - + /// /// Looks up a localized string similar to Specified length '{0}' is out of range.. /// - internal static string ADP_InvalidDataLength2 - { - get - { + internal static string ADP_InvalidDataLength2 { + get { return ResourceManager.GetString("ADP_InvalidDataLength2", resourceCulture); } } - + /// /// Looks up a localized string similar to The parameter data type of {0} is invalid.. /// - internal static string ADP_InvalidDataType - { - get - { + internal static string ADP_InvalidDataType { + get { return ResourceManager.GetString("ADP_InvalidDataType", resourceCulture); } } - + /// /// Looks up a localized string similar to Data type '{0}' can not be formatted as a literal because it has an invalid date time digits.. /// - internal static string ADP_InvalidDateTimeDigits - { - get - { + internal static string ADP_InvalidDateTimeDigits { + get { return ResourceManager.GetString("ADP_InvalidDateTimeDigits", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid destination buffer (size of {0}) offset: {1}. /// - internal static string ADP_InvalidDestinationBufferIndex - { - get - { + internal static string ADP_InvalidDestinationBufferIndex { + get { return ResourceManager.GetString("ADP_InvalidDestinationBufferIndex", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} enumeration value, {1}, is invalid.. /// - internal static string ADP_InvalidEnumerationValue - { - get - { + internal static string ADP_InvalidEnumerationValue { + get { return ResourceManager.GetString("ADP_InvalidEnumerationValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The value can not be formatted as a literal of the requested type.. /// - internal static string ADP_InvalidFormatValue - { - get - { + internal static string ADP_InvalidFormatValue { + get { return ResourceManager.GetString("ADP_InvalidFormatValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Implicit conversion of object type '{0}' to data type '{1}' is not supported.. /// - internal static string ADP_InvalidImplicitConversion - { - get - { + internal static string ADP_InvalidImplicitConversion { + get { return ResourceManager.GetString("ADP_InvalidImplicitConversion", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid keyword, contain one or more of 'no characters', 'control characters', 'leading or trailing whitespace' or 'leading semicolons'.. /// - internal static string ADP_InvalidKey - { - get - { + internal static string ADP_InvalidKey { + get { return ResourceManager.GetString("ADP_InvalidKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Data type '{0}' can not be formatted as a literal because it has an invalid maximum scale.. /// - internal static string ADP_InvalidMaximumScale - { - get - { + internal static string ADP_InvalidMaximumScale { + get { return ResourceManager.GetString("ADP_InvalidMaximumScale", resourceCulture); } } - + /// /// Looks up a localized string similar to The MaxRecords value of {0} is invalid; the value must be >= 0.. /// - internal static string ADP_InvalidMaxRecords - { - get - { + internal static string ADP_InvalidMaxRecords { + get { return ResourceManager.GetString("ADP_InvalidMaxRecords", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid value for this metadata.. /// - internal static string ADP_InvalidMetaDataValue - { - get - { + internal static string ADP_InvalidMetaDataValue { + get { return ResourceManager.GetString("ADP_InvalidMetaDataValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid min or max pool size values, min pool size cannot be greater than the max pool size.. /// - internal static string ADP_InvalidMinMaxPoolSizeValues - { - get - { + internal static string ADP_InvalidMinMaxPoolSizeValues { + get { return ResourceManager.GetString("ADP_InvalidMinMaxPoolSizeValues", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set the AccessToken property if 'Authentication' has been specified in the connection string.. /// - internal static string ADP_InvalidMixedUsageOfAccessTokenAndAuthentication - { - get - { + internal static string ADP_InvalidMixedUsageOfAccessTokenAndAuthentication { + get { return ResourceManager.GetString("ADP_InvalidMixedUsageOfAccessTokenAndAuthentication", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set the AccessToken property with the 'Context Connection' keyword.. /// - internal static string ADP_InvalidMixedUsageOfAccessTokenAndContextConnection - { - get - { + internal static string ADP_InvalidMixedUsageOfAccessTokenAndContextConnection { + get { return ResourceManager.GetString("ADP_InvalidMixedUsageOfAccessTokenAndContextConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set the AccessToken property if the Credential property is already set.. /// - internal static string ADP_InvalidMixedUsageOfAccessTokenAndCredential - { - get - { + internal static string ADP_InvalidMixedUsageOfAccessTokenAndCredential { + get { return ResourceManager.GetString("ADP_InvalidMixedUsageOfAccessTokenAndCredential", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set the AccessToken property if the 'Integrated Security' connection string keyword has been set to 'true' or 'SSPI'.. /// - internal static string ADP_InvalidMixedUsageOfAccessTokenAndIntegratedSecurity - { - get - { + internal static string ADP_InvalidMixedUsageOfAccessTokenAndIntegratedSecurity { + get { return ResourceManager.GetString("ADP_InvalidMixedUsageOfAccessTokenAndIntegratedSecurity", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set the AccessToken property if 'UserID', 'UID', 'Password', or 'PWD' has been specified in connection string.. /// - internal static string ADP_InvalidMixedUsageOfAccessTokenAndUserIDPassword - { - get - { + internal static string ADP_InvalidMixedUsageOfAccessTokenAndUserIDPassword { + get { return ResourceManager.GetString("ADP_InvalidMixedUsageOfAccessTokenAndUserIDPassword", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set the Credential property if the AccessToken property is already set.. /// - internal static string ADP_InvalidMixedUsageOfCredentialAndAccessToken - { - get - { + internal static string ADP_InvalidMixedUsageOfCredentialAndAccessToken { + get { return ResourceManager.GetString("ADP_InvalidMixedUsageOfCredentialAndAccessToken", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use Credential with UserID, UID, Password, or PWD connection string keywords.. /// - internal static string ADP_InvalidMixedUsageOfSecureAndClearCredential - { - get - { + internal static string ADP_InvalidMixedUsageOfSecureAndClearCredential { + get { return ResourceManager.GetString("ADP_InvalidMixedUsageOfSecureAndClearCredential", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use Credential with Context Connection keyword.. /// - internal static string ADP_InvalidMixedUsageOfSecureCredentialAndContextConnection - { - get - { + internal static string ADP_InvalidMixedUsageOfSecureCredentialAndContextConnection { + get { return ResourceManager.GetString("ADP_InvalidMixedUsageOfSecureCredentialAndContextConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use Credential with Integrated Security connection string keyword.. /// - internal static string ADP_InvalidMixedUsageOfSecureCredentialAndIntegratedSecurity - { - get - { + internal static string ADP_InvalidMixedUsageOfSecureCredentialAndIntegratedSecurity { + get { return ResourceManager.GetString("ADP_InvalidMixedUsageOfSecureCredentialAndIntegratedSecurity", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} "{1}".. /// - internal static string ADP_InvalidMultipartName - { - get - { + internal static string ADP_InvalidMultipartName { + get { return ResourceManager.GetString("ADP_InvalidMultipartName", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} "{1}", incorrect usage of quotes.. /// - internal static string ADP_InvalidMultipartNameQuoteUsage - { - get - { + internal static string ADP_InvalidMultipartNameQuoteUsage { + get { return ResourceManager.GetString("ADP_InvalidMultipartNameQuoteUsage", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} "{1}", the current limit of "{2}" is insufficient.. /// - internal static string ADP_InvalidMultipartNameToManyParts - { - get - { + internal static string ADP_InvalidMultipartNameToManyParts { + get { return ResourceManager.GetString("ADP_InvalidMultipartNameToManyParts", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid parameter Offset value '{0}'. The value must be greater than or equal to 0.. /// - internal static string ADP_InvalidOffsetValue - { - get - { + internal static string ADP_InvalidOffsetValue { + get { return ResourceManager.GetString("ADP_InvalidOffsetValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Specified QuotePrefix and QuoteSuffix values do not match.. /// - internal static string ADP_InvalidPrefixSuffix - { - get - { + internal static string ADP_InvalidPrefixSuffix { + get { return ResourceManager.GetString("ADP_InvalidPrefixSuffix", resourceCulture); } } - + /// /// Looks up a localized string similar to Specified SeekOrigin value is invalid.. /// - internal static string ADP_InvalidSeekOrigin - { - get - { + internal static string ADP_InvalidSeekOrigin { + get { return ResourceManager.GetString("ADP_InvalidSeekOrigin", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid parameter Size value '{0}'. The value must be greater than or equal to 0.. /// - internal static string ADP_InvalidSizeValue - { - get - { + internal static string ADP_InvalidSizeValue { + get { return ResourceManager.GetString("ADP_InvalidSizeValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid source buffer (size of {0}) offset: {1}. /// - internal static string ADP_InvalidSourceBufferIndex - { - get - { + internal static string ADP_InvalidSourceBufferIndex { + get { return ResourceManager.GetString("ADP_InvalidSourceBufferIndex", resourceCulture); } } - + /// /// Looks up a localized string similar to SourceColumn is required to be a non-empty string.. /// - internal static string ADP_InvalidSourceColumn - { - get - { + internal static string ADP_InvalidSourceColumn { + get { return ResourceManager.GetString("ADP_InvalidSourceColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to SourceTable is required to be a non-empty string. /// - internal static string ADP_InvalidSourceTable - { - get - { + internal static string ADP_InvalidSourceTable { + get { return ResourceManager.GetString("ADP_InvalidSourceTable", resourceCulture); } } - + /// /// Looks up a localized string similar to The StartRecord value of {0} is invalid; the value must be >= 0.. /// - internal static string ADP_InvalidStartRecord - { - get - { + internal static string ADP_InvalidStartRecord { + get { return ResourceManager.GetString("ADP_InvalidStartRecord", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid UDL file.. /// - internal static string ADP_InvalidUDL - { - get - { + internal static string ADP_InvalidUDL { + get { return ResourceManager.GetString("ADP_InvalidUDL", resourceCulture); } } - + /// /// Looks up a localized string similar to The value contains embedded nulls (\u0000).. /// - internal static string ADP_InvalidValue - { - get - { + internal static string ADP_InvalidValue { + get { return ResourceManager.GetString("ADP_InvalidValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid Xml; can only parse elements of version one.. /// - internal static string ADP_InvalidXMLBadVersion - { - get - { + internal static string ADP_InvalidXMLBadVersion { + get { return ResourceManager.GetString("ADP_InvalidXMLBadVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to Keyword not supported: '{0}'.. /// - internal static string ADP_KeywordNotSupported - { - get - { + internal static string ADP_KeywordNotSupported { + get { return ResourceManager.GetString("ADP_KeywordNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to The literal value provided is not a valid literal for the data type '{0}'.. /// - internal static string ADP_LiteralValueIsInvalid - { - get - { + internal static string ADP_LiteralValueIsInvalid { + get { return ResourceManager.GetString("ADP_LiteralValueIsInvalid", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot enlist in the transaction because a local transaction is in progress on the connection. Finish local transaction and retry.. /// - internal static string ADP_LocalTransactionPresent - { - get - { + internal static string ADP_LocalTransactionPresent { + get { return ResourceManager.GetString("ADP_LocalTransactionPresent", resourceCulture); } } - + /// /// Looks up a localized string similar to Mismatched end method call for asyncResult. Expected call to {0} but {1} was called instead.. /// - internal static string ADP_MismatchedAsyncResult - { - get - { + internal static string ADP_MismatchedAsyncResult { + get { return ResourceManager.GetString("ADP_MismatchedAsyncResult", resourceCulture); } } - + /// /// Looks up a localized string similar to Missing SourceColumn mapping for '{0}'.. /// - internal static string ADP_MissingColumnMapping - { - get - { + internal static string ADP_MissingColumnMapping { + get { return ResourceManager.GetString("ADP_MissingColumnMapping", resourceCulture); } } - + /// /// Looks up a localized string similar to Use of key '{0}' requires the key '{1}' to be present.. /// - internal static string ADP_MissingConnectionOptionValue - { - get - { + internal static string ADP_MissingConnectionOptionValue { + get { return ResourceManager.GetString("ADP_MissingConnectionOptionValue", resourceCulture); } } - + /// /// Looks up a localized string similar to DataReader.GetFieldType({0}) returned null.. /// - internal static string ADP_MissingDataReaderFieldType - { - get - { + internal static string ADP_MissingDataReaderFieldType { + get { return ResourceManager.GetString("ADP_MissingDataReaderFieldType", resourceCulture); } } - + /// /// Looks up a localized string similar to The SelectCommand property has not been initialized before calling '{0}'.. /// - internal static string ADP_MissingSelectCommand - { - get - { + internal static string ADP_MissingSelectCommand { + get { return ResourceManager.GetString("ADP_MissingSelectCommand", resourceCulture); } } - + /// /// Looks up a localized string similar to The DataAdapter.SelectCommand property needs to be initialized.. /// - internal static string ADP_MissingSourceCommand - { - get - { + internal static string ADP_MissingSourceCommand { + get { return ResourceManager.GetString("ADP_MissingSourceCommand", resourceCulture); } } - + /// /// Looks up a localized string similar to The DataAdapter.SelectCommand.Connection property needs to be initialized;. /// - internal static string ADP_MissingSourceCommandConnection - { - get - { + internal static string ADP_MissingSourceCommandConnection { + get { return ResourceManager.GetString("ADP_MissingSourceCommandConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to Missing SourceTable mapping: '{0}'. /// - internal static string ADP_MissingTableMapping - { - get - { + internal static string ADP_MissingTableMapping { + get { return ResourceManager.GetString("ADP_MissingTableMapping", resourceCulture); } } - + /// /// Looks up a localized string similar to Missing TableMapping when TableMapping.DataSetTable='{0}'.. /// - internal static string ADP_MissingTableMappingDestination - { - get - { + internal static string ADP_MissingTableMappingDestination { + get { return ResourceManager.GetString("ADP_MissingTableMappingDestination", resourceCulture); } } - + /// /// Looks up a localized string similar to Missing the '{0}' DataTable for the '{1}' SourceTable.. /// - internal static string ADP_MissingTableSchema - { - get - { + internal static string ADP_MissingTableSchema { + get { return ResourceManager.GetString("ADP_MissingTableSchema", resourceCulture); } } - + /// /// Looks up a localized string similar to Multiple return value parameters are not supported.. /// - internal static string ADP_MultipleReturnValue - { - get - { + internal static string ADP_MultipleReturnValue { + get { return ResourceManager.GetString("ADP_MultipleReturnValue", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} must be marked as read only.. /// - internal static string ADP_MustBeReadOnly - { - get - { + internal static string ADP_MustBeReadOnly { + get { return ResourceManager.GetString("ADP_MustBeReadOnly", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid value for argument '{0}'. The value must be greater than or equal to 0.. /// - internal static string ADP_NegativeParameter - { - get - { + internal static string ADP_NegativeParameter { + get { return ResourceManager.GetString("ADP_NegativeParameter", resourceCulture); } } - + /// /// Looks up a localized string similar to The ConnectionString property has not been initialized.. /// - internal static string ADP_NoConnectionString - { - get - { + internal static string ADP_NoConnectionString { + get { return ResourceManager.GetString("ADP_NoConnectionString", resourceCulture); } } - + /// /// Looks up a localized string similar to A Non CLS Exception was caught.. /// - internal static string ADP_NonCLSException - { - get - { + internal static string ADP_NonCLSException { + get { return ResourceManager.GetString("ADP_NonCLSException", resourceCulture); } } - + /// /// Looks up a localized string similar to Timeout attempting to open the connection. The time period elapsed prior to attempting to open the connection has been exceeded. This may have occurred because of too many simultaneous non-pooled connection attempts.. /// - internal static string ADP_NonPooledOpenTimeout - { - get - { + internal static string ADP_NonPooledOpenTimeout { + get { return ResourceManager.GetString("ADP_NonPooledOpenTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid {2} attempt at dataIndex '{0}'. With CommandBehavior.SequentialAccess, you may only read from dataIndex '{1}' or greater.. /// - internal static string ADP_NonSeqByteAccess - { - get - { + internal static string ADP_NonSeqByteAccess { + get { return ResourceManager.GetString("ADP_NonSeqByteAccess", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to read from column ordinal '{0}'. With CommandBehavior.SequentialAccess, you may only read from column ordinal '{1}' or greater.. /// - internal static string ADP_NonSequentialColumnAccess - { - get - { + internal static string ADP_NonSequentialColumnAccess { + get { return ResourceManager.GetString("ADP_NonSequentialColumnAccess", resourceCulture); } } - + /// /// Looks up a localized string similar to The QuotePrefix and QuoteSuffix properties cannot be changed once an Insert, Update, or Delete command has been generated.. /// - internal static string ADP_NoQuoteChange - { - get - { + internal static string ADP_NoQuoteChange { + get { return ResourceManager.GetString("ADP_NoQuoteChange", resourceCulture); } } - + /// /// Looks up a localized string similar to The stored procedure '{0}' doesn't exist.. /// - internal static string ADP_NoStoredProcedureExists - { - get - { + internal static string ADP_NoStoredProcedureExists { + get { return ResourceManager.GetString("ADP_NoStoredProcedureExists", resourceCulture); } } - + /// /// Looks up a localized string similar to Given security element is not a permission element.. /// - internal static string ADP_NotAPermissionElement - { - get - { + internal static string ADP_NotAPermissionElement { + get { return ResourceManager.GetString("ADP_NotAPermissionElement", resourceCulture); } } - + /// /// Looks up a localized string similar to Metadata must be SqlDbType.Row. /// - internal static string ADP_NotRowType - { - get - { + internal static string ADP_NotRowType { + get { return ResourceManager.GetString("ADP_NotRowType", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} enumeration value, {1}, is not supported by the {2} method.. /// - internal static string ADP_NotSupportedEnumerationValue - { - get - { + internal static string ADP_NotSupportedEnumerationValue { + get { return ResourceManager.GetString("ADP_NotSupportedEnumerationValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Unexpected null DataSet argument.. /// - internal static string ADP_NullDataSet - { - get - { + internal static string ADP_NullDataSet { + get { return ResourceManager.GetString("ADP_NullDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Unexpected null DataTable argument. /// - internal static string ADP_NullDataTable - { - get - { + internal static string ADP_NullDataTable { + get { return ResourceManager.GetString("ADP_NullDataTable", resourceCulture); } } - + /// /// Looks up a localized string similar to The numerical value is too large to fit into a 96 bit decimal.. /// - internal static string ADP_NumericToDecimalOverflow - { - get - { + internal static string ADP_NumericToDecimalOverflow { + get { return ResourceManager.GetString("ADP_NumericToDecimalOverflow", resourceCulture); } } - + /// /// Looks up a localized string similar to The '{0}' keyword is obsolete. Use '{1}' instead.. /// - internal static string ADP_ObsoleteKeyword - { - get - { + internal static string ADP_ObsoleteKeyword { + get { return ResourceManager.GetString("ADP_ObsoleteKeyword", resourceCulture); } } - + /// /// Looks up a localized string similar to The ODBC provider did not return results from SQLGETTYPEINFO.. /// - internal static string ADP_OdbcNoTypesFromProvider - { - get - { + internal static string ADP_OdbcNoTypesFromProvider { + get { return ResourceManager.GetString("ADP_OdbcNoTypesFromProvider", resourceCulture); } } - + /// /// Looks up a localized string similar to Offset must refer to a location within the value.. /// - internal static string ADP_OffsetOutOfRangeException - { - get - { + internal static string ADP_OffsetOutOfRangeException { + get { return ResourceManager.GetString("ADP_OffsetOutOfRangeException", resourceCulture); } } - + /// /// Looks up a localized string similar to Only specify one item in the dataTables array when using non-zero values for startRecords or maxRecords.. /// - internal static string ADP_OnlyOneTableForStartRecordOrMaxRecords - { - get - { + internal static string ADP_OnlyOneTableForStartRecordOrMaxRecords { + get { return ResourceManager.GetString("ADP_OnlyOneTableForStartRecordOrMaxRecords", resourceCulture); } } - + /// /// Looks up a localized string similar to Not allowed to change the '{0}' property. {1}. /// - internal static string ADP_OpenConnectionPropertySet - { - get - { + internal static string ADP_OpenConnectionPropertySet { + get { return ResourceManager.GetString("ADP_OpenConnectionPropertySet", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} requires an open and available Connection. {1}. /// - internal static string ADP_OpenConnectionRequired - { - get - { + internal static string ADP_OpenConnectionRequired { + get { return ResourceManager.GetString("ADP_OpenConnectionRequired", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires the updating command to have an open connection object. {1}. /// - internal static string ADP_OpenConnectionRequired_Clone - { - get - { + internal static string ADP_OpenConnectionRequired_Clone { + get { return ResourceManager.GetString("ADP_OpenConnectionRequired_Clone", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires the {0}Command to have an open connection object. {1}. /// - internal static string ADP_OpenConnectionRequired_Delete - { - get - { + internal static string ADP_OpenConnectionRequired_Delete { + get { return ResourceManager.GetString("ADP_OpenConnectionRequired_Delete", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires the {0}Command to have an open connection object. {1}. /// - internal static string ADP_OpenConnectionRequired_Insert - { - get - { + internal static string ADP_OpenConnectionRequired_Insert { + get { return ResourceManager.GetString("ADP_OpenConnectionRequired_Insert", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires the {0}Command to have an open connection object. {1}. /// - internal static string ADP_OpenConnectionRequired_Update - { - get - { + internal static string ADP_OpenConnectionRequired_Update { + get { return ResourceManager.GetString("ADP_OpenConnectionRequired_Update", resourceCulture); } } - + /// /// Looks up a localized string similar to There is already an open DataReader associated with this {0} which must be closed first.. /// - internal static string ADP_OpenReaderExists - { - get - { + internal static string ADP_OpenReaderExists { + get { return ResourceManager.GetString("ADP_OpenReaderExists", resourceCulture); } } - + /// /// Looks up a localized string similar to There is already an open SqlResultSet associated with this command which must be closed first.. /// - internal static string ADP_OpenResultSetExists - { - get - { + internal static string ADP_OpenResultSetExists { + get { return ResourceManager.GetString("ADP_OpenResultSetExists", resourceCulture); } } - + /// /// Looks up a localized string similar to Operation aborted.. /// - internal static string ADP_OperationAborted - { - get - { + internal static string ADP_OperationAborted { + get { return ResourceManager.GetString("ADP_OperationAborted", resourceCulture); } } - + /// /// Looks up a localized string similar to Operation aborted due to an exception (see InnerException for details).. /// - internal static string ADP_OperationAbortedExceptionMessage - { - get - { + internal static string ADP_OperationAbortedExceptionMessage { + get { return ResourceManager.GetString("ADP_OperationAbortedExceptionMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} does not support parallel transactions.. /// - internal static string ADP_ParallelTransactionsNotSupported - { - get - { + internal static string ADP_ParallelTransactionsNotSupported { + get { return ResourceManager.GetString("ADP_ParallelTransactionsNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to convert parameter value from a {0} to a {1}.. /// - internal static string ADP_ParameterConversionFailed - { - get - { + internal static string ADP_ParameterConversionFailed { + get { return ResourceManager.GetString("ADP_ParameterConversionFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Parameter value '{0}' is out of range.. /// - internal static string ADP_ParameterValueOutOfRange - { - get - { + internal static string ADP_ParameterValueOutOfRange { + get { return ResourceManager.GetString("ADP_ParameterValueOutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Can not start another operation while there is an asynchronous operation pending.. /// - internal static string ADP_PendingAsyncOperation - { - get - { + internal static string ADP_PendingAsyncOperation { + get { return ResourceManager.GetString("ADP_PendingAsyncOperation", resourceCulture); } } - + /// /// Looks up a localized string similar to Type mismatch.. /// - internal static string ADP_PermissionTypeMismatch - { - get - { + internal static string ADP_PermissionTypeMismatch { + get { return ResourceManager.GetString("ADP_PermissionTypeMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Timeout expired. The timeout period elapsed prior to obtaining a connection from the pool. This may have occurred because all pooled connections were in use and max pool size was reached.. /// - internal static string ADP_PooledOpenTimeout - { - get - { + internal static string ADP_PooledOpenTimeout { + get { return ResourceManager.GetString("ADP_PooledOpenTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to {0}.Prepare method requires parameters of type '{1}' have an explicitly set Precision and Scale.. /// - internal static string ADP_PrepareParameterScale - { - get - { + internal static string ADP_PrepareParameterScale { + get { return ResourceManager.GetString("ADP_PrepareParameterScale", resourceCulture); } } - + /// /// Looks up a localized string similar to {0}.Prepare method requires all variable length parameters to have an explicitly set non-zero Size.. /// - internal static string ADP_PrepareParameterSize - { - get - { + internal static string ADP_PrepareParameterSize { + get { return ResourceManager.GetString("ADP_PrepareParameterSize", resourceCulture); } } - + /// /// Looks up a localized string similar to {0}.Prepare method requires all parameters to have an explicitly set type.. /// - internal static string ADP_PrepareParameterType - { - get - { + internal static string ADP_PrepareParameterType { + get { return ResourceManager.GetString("ADP_PrepareParameterType", resourceCulture); } } - + /// /// Looks up a localized string similar to The '{0}' property requires Microsoft WindowsNT or a WindowsNT based operating system.. /// - internal static string ADP_PropertyNotSupported - { - get - { + internal static string ADP_PropertyNotSupported { + get { return ResourceManager.GetString("ADP_PropertyNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} requires open connection when the quote prefix has not been set.. /// - internal static string ADP_QuotePrefixNotSet - { - get - { + internal static string ADP_QuotePrefixNotSet { + get { return ResourceManager.GetString("ADP_QuotePrefixNotSet", resourceCulture); } } - + /// /// Looks up a localized string similar to When batching, the command's UpdatedRowSource property value of UpdateRowSource.FirstReturnedRecord or UpdateRowSource.Both is invalid.. /// - internal static string ADP_ResultsNotAllowedDuringBatch - { - get - { + internal static string ADP_ResultsNotAllowedDuringBatch { + get { return ResourceManager.GetString("ADP_ResultsNotAllowedDuringBatch", resourceCulture); } } - + /// /// Looks up a localized string similar to RowUpdatedEvent: Errors occurred; no additional is information available.. /// - internal static string ADP_RowUpdatedErrors - { - get - { + internal static string ADP_RowUpdatedErrors { + get { return ResourceManager.GetString("ADP_RowUpdatedErrors", resourceCulture); } } - + /// /// Looks up a localized string similar to RowUpdatingEvent: Errors occurred; no additional is information available.. /// - internal static string ADP_RowUpdatingErrors - { - get - { + internal static string ADP_RowUpdatingErrors { + get { return ResourceManager.GetString("ADP_RowUpdatingErrors", resourceCulture); } } - + /// /// Looks up a localized string similar to The only acceptable value for the property '{0}' is '{1}'.. /// - internal static string ADP_SingleValuedProperty - { - get - { + internal static string ADP_SingleValuedProperty { + get { return ResourceManager.GetString("ADP_SingleValuedProperty", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to {0} when stream is closed.. /// - internal static string ADP_StreamClosed - { - get - { + internal static string ADP_StreamClosed { + get { return ResourceManager.GetString("ADP_StreamClosed", resourceCulture); } } - + /// /// Looks up a localized string similar to The transaction assigned to this command must be the most nested pending local transaction.. /// - internal static string ADP_TransactionCompleted - { - get - { + internal static string ADP_TransactionCompleted { + get { return ResourceManager.GetString("ADP_TransactionCompleted", resourceCulture); } } - + /// /// Looks up a localized string similar to The transaction associated with the current connection has completed but has not been disposed. The transaction must be disposed before the connection can be used to execute SQL statements.. /// - internal static string ADP_TransactionCompletedButNotDisposed - { - get - { + internal static string ADP_TransactionCompletedButNotDisposed { + get { return ResourceManager.GetString("ADP_TransactionCompletedButNotDisposed", resourceCulture); } } - + /// /// Looks up a localized string similar to The transaction is either not associated with the current connection or has been completed.. /// - internal static string ADP_TransactionConnectionMismatch - { - get - { + internal static string ADP_TransactionConnectionMismatch { + get { return ResourceManager.GetString("ADP_TransactionConnectionMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection currently has transaction enlisted. Finish current transaction and retry.. /// - internal static string ADP_TransactionPresent - { - get - { + internal static string ADP_TransactionPresent { + get { return ResourceManager.GetString("ADP_TransactionPresent", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} requires the command to have a transaction when the connection assigned to the command is in a pending local transaction. The Transaction property of the command has not been initialized.. /// - internal static string ADP_TransactionRequired - { - get - { + internal static string ADP_TransactionRequired { + get { return ResourceManager.GetString("ADP_TransactionRequired", resourceCulture); } } - + /// /// Looks up a localized string similar to This {0} has completed; it is no longer usable.. /// - internal static string ADP_TransactionZombied - { - get - { + internal static string ADP_TransactionZombied { + get { return ResourceManager.GetString("ADP_TransactionZombied", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to load the UDL file.. /// - internal static string ADP_UdlFileError - { - get - { + internal static string ADP_UdlFileError { + get { return ResourceManager.GetString("ADP_UdlFileError", resourceCulture); } } - + /// /// Looks up a localized string similar to Can not determine the correct boolean literal values. Boolean literals can not be created.. /// - internal static string ADP_UnableToCreateBooleanLiteral - { - get - { + internal static string ADP_UnableToCreateBooleanLiteral { + get { return ResourceManager.GetString("ADP_UnableToCreateBooleanLiteral", resourceCulture); } } - + /// /// Looks up a localized string similar to {1}[{0}]: the Size property has an invalid size of 0.. /// - internal static string ADP_UninitializedParameterSize - { - get - { + internal static string ADP_UninitializedParameterSize { + get { return ResourceManager.GetString("ADP_UninitializedParameterSize", resourceCulture); } } - + /// /// Looks up a localized string similar to No mapping exists from object type {0} to a known managed provider native type.. /// - internal static string ADP_UnknownDataType - { - get - { + internal static string ADP_UnknownDataType { + get { return ResourceManager.GetString("ADP_UnknownDataType", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to handle an unknown TypeCode {0} returned by Type {1}.. /// - internal static string ADP_UnknownDataTypeCode - { - get - { + internal static string ADP_UnknownDataTypeCode { + get { return ResourceManager.GetString("ADP_UnknownDataTypeCode", resourceCulture); } } - + /// /// Looks up a localized string similar to Literals of the native data type associated with data type '{0}' are not supported.. /// - internal static string ADP_UnsupportedNativeDataTypeOleDb - { - get - { + internal static string ADP_UnsupportedNativeDataTypeOleDb { + get { return ResourceManager.GetString("ADP_UnsupportedNativeDataTypeOleDb", resourceCulture); } } - + /// /// Looks up a localized string similar to The StatementType {0} is not expected here.. /// - internal static string ADP_UnwantedStatementType - { - get - { + internal static string ADP_UnwantedStatementType { + get { return ResourceManager.GetString("ADP_UnwantedStatementType", resourceCulture); } } - + /// /// Looks up a localized string similar to Concurrency violation: the batched command affected {0} of the expected {1} records.. /// - internal static string ADP_UpdateConcurrencyViolation_Batch - { - get - { + internal static string ADP_UpdateConcurrencyViolation_Batch { + get { return ResourceManager.GetString("ADP_UpdateConcurrencyViolation_Batch", resourceCulture); } } - + /// /// Looks up a localized string similar to Concurrency violation: the DeleteCommand affected {0} of the expected {1} records.. /// - internal static string ADP_UpdateConcurrencyViolation_Delete - { - get - { + internal static string ADP_UpdateConcurrencyViolation_Delete { + get { return ResourceManager.GetString("ADP_UpdateConcurrencyViolation_Delete", resourceCulture); } } - + /// /// Looks up a localized string similar to Concurrency violation: the UpdateCommand affected {0} of the expected {1} records.. /// - internal static string ADP_UpdateConcurrencyViolation_Update - { - get - { + internal static string ADP_UpdateConcurrencyViolation_Update { + get { return ResourceManager.GetString("ADP_UpdateConcurrencyViolation_Update", resourceCulture); } } - + /// /// Looks up a localized string similar to DataRow[{0}] is from a different DataTable than DataRow[0].. /// - internal static string ADP_UpdateMismatchRowTable - { - get - { + internal static string ADP_UpdateMismatchRowTable { + get { return ResourceManager.GetString("ADP_UpdateMismatchRowTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires the command clone to be valid.. /// - internal static string ADP_UpdateRequiresCommandClone - { - get - { + internal static string ADP_UpdateRequiresCommandClone { + get { return ResourceManager.GetString("ADP_UpdateRequiresCommandClone", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires a valid DeleteCommand when passed DataRow collection with deleted rows.. /// - internal static string ADP_UpdateRequiresCommandDelete - { - get - { + internal static string ADP_UpdateRequiresCommandDelete { + get { return ResourceManager.GetString("ADP_UpdateRequiresCommandDelete", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires a valid InsertCommand when passed DataRow collection with new rows.. /// - internal static string ADP_UpdateRequiresCommandInsert - { - get - { + internal static string ADP_UpdateRequiresCommandInsert { + get { return ResourceManager.GetString("ADP_UpdateRequiresCommandInsert", resourceCulture); } } - + /// /// Looks up a localized string similar to Auto SQL generation during Update requires a valid SelectCommand.. /// - internal static string ADP_UpdateRequiresCommandSelect - { - get - { + internal static string ADP_UpdateRequiresCommandSelect { + get { return ResourceManager.GetString("ADP_UpdateRequiresCommandSelect", resourceCulture); } } - + /// /// Looks up a localized string similar to Update requires a valid UpdateCommand when passed DataRow collection with modified rows.. /// - internal static string ADP_UpdateRequiresCommandUpdate - { - get - { + internal static string ADP_UpdateRequiresCommandUpdate { + get { return ResourceManager.GetString("ADP_UpdateRequiresCommandUpdate", resourceCulture); } } - + /// /// Looks up a localized string similar to Update unable to find TableMapping['{0}'] or DataTable '{0}'.. /// - internal static string ADP_UpdateRequiresSourceTable - { - get - { + internal static string ADP_UpdateRequiresSourceTable { + get { return ResourceManager.GetString("ADP_UpdateRequiresSourceTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Update: expected a non-empty SourceTable name.. /// - internal static string ADP_UpdateRequiresSourceTableName - { - get - { + internal static string ADP_UpdateRequiresSourceTableName { + get { return ResourceManager.GetString("ADP_UpdateRequiresSourceTableName", resourceCulture); } } - + /// /// Looks up a localized string similar to The version of SQL Server in use does not support datatype '{0}'.. /// - internal static string ADP_VersionDoesNotSupportDataType - { - get - { + internal static string ADP_VersionDoesNotSupportDataType { + get { return ResourceManager.GetString("ADP_VersionDoesNotSupportDataType", resourceCulture); } } - + /// /// Looks up a localized string similar to The validation of an attestation token failed. The token signature does not match the signature omputed using a public key retrieved from the attestation public key endpoint at '{0}'. Verify the DNS apping for the endpoint. If correct, contact Customer Support Services.. /// - internal static string AttestationTokenSignatureValidationFailed - { - get - { + internal static string AttestationTokenSignatureValidationFailed { + get { return ResourceManager.GetString("AttestationTokenSignatureValidationFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Access token could not be acquired.. /// - internal static string Azure_GenericErrorMessage - { - get - { + internal static string Azure_GenericErrorMessage { + get { return ResourceManager.GetString("Azure_GenericErrorMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to connect to the Managed Identity endpoint. Please check that you are running on an Azure resource that has Identity setup.. /// - internal static string Azure_IdentityEndpointNotListening - { - get - { + internal static string Azure_IdentityEndpointNotListening { + get { return ResourceManager.GetString("Azure_IdentityEndpointNotListening", resourceCulture); } } - + /// /// Looks up a localized string similar to Tried to get token using Managed Identity.. /// - internal static string Azure_ManagedIdentityUsed - { - get - { + internal static string Azure_ManagedIdentityUsed { + get { return ResourceManager.GetString("Azure_ManagedIdentityUsed", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to connect to the Instance Metadata Service (IMDS). Skipping request to the Managed Identity token endpoint.. /// - internal static string Azure_MetadataEndpointNotListening - { - get - { + internal static string Azure_MetadataEndpointNotListening { + get { return ResourceManager.GetString("Azure_MetadataEndpointNotListening", resourceCulture); } } - + /// /// Looks up a localized string similar to Received a non-retryable error.. /// - internal static string Azure_NonRetryableError - { - get - { + internal static string Azure_NonRetryableError { + get { return ResourceManager.GetString("Azure_NonRetryableError", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed after 5 retries.. /// - internal static string Azure_RetryFailure - { - get - { + internal static string Azure_RetryFailure { + get { return ResourceManager.GetString("Azure_RetryFailure", resourceCulture); } } - + /// /// Looks up a localized string similar to .database.chinacloudapi.cn. /// - internal static string AZURESQL_ChinaEndpoint - { - get - { + internal static string AZURESQL_ChinaEndpoint { + get { return ResourceManager.GetString("AZURESQL_ChinaEndpoint", resourceCulture); } } - + /// /// Looks up a localized string similar to .database.windows.net. /// - internal static string AZURESQL_GenericEndpoint - { - get - { + internal static string AZURESQL_GenericEndpoint { + get { return ResourceManager.GetString("AZURESQL_GenericEndpoint", resourceCulture); } } - + /// /// Looks up a localized string similar to .database.cloudapi.de. /// - internal static string AZURESQL_GermanEndpoint - { - get - { + internal static string AZURESQL_GermanEndpoint { + get { return ResourceManager.GetString("AZURESQL_GermanEndpoint", resourceCulture); } } - + /// /// Looks up a localized string similar to .database.usgovcloudapi.net. /// - internal static string AZURESQL_UsGovEndpoint - { - get - { + internal static string AZURESQL_UsGovEndpoint { + get { return ResourceManager.GetString("AZURESQL_UsGovEndpoint", resourceCulture); } } - + /// /// Looks up a localized string similar to There is more than one table with the same name '{0}' (even if namespace is different).. /// - internal static string CodeGen_DuplicateTableName - { - get - { + internal static string CodeGen_DuplicateTableName { + get { return ResourceManager.GetString("CodeGen_DuplicateTableName", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot generate identifier for name '{0}'.. /// - internal static string CodeGen_InvalidIdentifier - { - get - { + internal static string CodeGen_InvalidIdentifier { + get { return ResourceManager.GetString("CodeGen_InvalidIdentifier", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}': Type '{1}' does not have parameterless constructor.. /// - internal static string CodeGen_NoCtor0 - { - get - { + internal static string CodeGen_NoCtor0 { + get { return ResourceManager.GetString("CodeGen_NoCtor0", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}': Type '{1}' does not have constructor with string argument.. /// - internal static string CodeGen_NoCtor1 - { - get - { + internal static string CodeGen_NoCtor1 { + get { return ResourceManager.GetString("CodeGen_NoCtor1", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}': Type '{1}' cannot be null.. /// - internal static string CodeGen_TypeCantBeNull - { - get - { + internal static string CodeGen_TypeCantBeNull { + get { return ResourceManager.GetString("CodeGen_TypeCantBeNull", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs whenever this collection's membership changes.. /// - internal static string collectionChangedEventDescr - { - get - { + internal static string collectionChangedEventDescr { + get { return ResourceManager.GetString("collectionChangedEventDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Only elements allowed.. /// - internal static string ConfigBaseElementsOnly - { - get - { + internal static string ConfigBaseElementsOnly { + get { return ResourceManager.GetString("ConfigBaseElementsOnly", resourceCulture); } } - + /// /// Looks up a localized string similar to Child nodes not allowed.. /// - internal static string ConfigBaseNoChildNodes - { - get - { + internal static string ConfigBaseNoChildNodes { + get { return ResourceManager.GetString("ConfigBaseNoChildNodes", resourceCulture); } } - + /// /// Looks up a localized string similar to The requested .NET Framework Data Provider's implementation does not have an Instance field of a System.Data.Common.DbProviderFactory derived type.. /// - internal static string ConfigProviderInvalid - { - get - { + internal static string ConfigProviderInvalid { + get { return ResourceManager.GetString("ConfigProviderInvalid", resourceCulture); } } - + /// /// Looks up a localized string similar to The missing .NET Framework Data Provider's assembly qualified name is required.. /// - internal static string ConfigProviderMissing - { - get - { + internal static string ConfigProviderMissing { + get { return ResourceManager.GetString("ConfigProviderMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to find the requested .NET Framework Data Provider. It may not be installed.. /// - internal static string ConfigProviderNotFound - { - get - { + internal static string ConfigProviderNotFound { + get { return ResourceManager.GetString("ConfigProviderNotFound", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to find or load the registered .NET Framework Data Provider.. /// - internal static string ConfigProviderNotInstalled - { - get - { + internal static string ConfigProviderNotInstalled { + get { return ResourceManager.GetString("ConfigProviderNotInstalled", resourceCulture); } } - + /// /// Looks up a localized string similar to Required attribute '{0}' cannot be empty.. /// - internal static string ConfigRequiredAttributeEmpty - { - get - { + internal static string ConfigRequiredAttributeEmpty { + get { return ResourceManager.GetString("ConfigRequiredAttributeEmpty", resourceCulture); } } - + /// /// Looks up a localized string similar to Required attribute '{0}' not found.. /// - internal static string ConfigRequiredAttributeMissing - { - get - { + internal static string ConfigRequiredAttributeMissing { + get { return ResourceManager.GetString("ConfigRequiredAttributeMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to The '{0}' section can only appear once per config file.. /// - internal static string ConfigSectionsUnique - { - get - { + internal static string ConfigSectionsUnique { + get { return ResourceManager.GetString("ConfigSectionsUnique", resourceCulture); } } - + /// /// Looks up a localized string similar to Unrecognized attribute '{0}'.. /// - internal static string ConfigUnrecognizedAttributes - { - get - { + internal static string ConfigUnrecognizedAttributes { + get { return ResourceManager.GetString("ConfigUnrecognizedAttributes", resourceCulture); } } - + /// /// Looks up a localized string similar to Unrecognized element.. /// - internal static string ConfigUnrecognizedElement - { - get - { + internal static string ConfigUnrecognizedElement { + get { return ResourceManager.GetString("ConfigUnrecognizedElement", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the name of this constraint.. /// - internal static string ConstraintNameDescr - { - get - { + internal static string ConstraintNameDescr { + get { return ResourceManager.GetString("ConstraintNameDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the table of this constraint.. /// - internal static string ConstraintTableDescr - { - get - { + internal static string ConstraintTableDescr { + get { return ResourceManager.GetString("ConstraintTableDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}' argument contains null value.. /// - internal static string Data_ArgumentContainsNull - { - get - { + internal static string Data_ArgumentContainsNull { + get { return ResourceManager.GetString("Data_ArgumentContainsNull", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}' argument cannot be null.. /// - internal static string Data_ArgumentNull - { - get - { + internal static string Data_ArgumentNull { + get { return ResourceManager.GetString("Data_ArgumentNull", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}' argument is out of range.. /// - internal static string Data_ArgumentOutOfRange - { - get - { + internal static string Data_ArgumentOutOfRange { + get { return ResourceManager.GetString("Data_ArgumentOutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Collection itself is not modifiable.. /// - internal static string Data_CannotModifyCollection - { - get - { + internal static string Data_CannotModifyCollection { + get { return ResourceManager.GetString("Data_CannotModifyCollection", resourceCulture); } } - + /// /// Looks up a localized string similar to The given name '{0}' matches at least two names in the collection object with different cases, but does not match either of them with the same case.. /// - internal static string Data_CaseInsensitiveNameConflict - { - get - { + internal static string Data_CaseInsensitiveNameConflict { + get { return ResourceManager.GetString("Data_CaseInsensitiveNameConflict", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to enable constraints. One or more rows contain values violating non-null, unique, or foreign-key constraints.. /// - internal static string Data_EnforceConstraints - { - get - { + internal static string Data_EnforceConstraints { + get { return ResourceManager.GetString("Data_EnforceConstraints", resourceCulture); } } - + /// /// Looks up a localized string similar to Offset and length were out of bounds for the array or count is greater than the number of elements from index to the end of the source collection.. /// - internal static string Data_InvalidOffsetLength - { - get - { + internal static string Data_InvalidOffsetLength { + get { return ResourceManager.GetString("Data_InvalidOffsetLength", resourceCulture); } } - + /// /// Looks up a localized string similar to The given name '{0}' matches at least two names in the collection object with different namespaces.. /// - internal static string Data_NamespaceNameConflict - { - get - { + internal static string Data_NamespaceNameConflict { + get { return ResourceManager.GetString("Data_NamespaceNameConflict", resourceCulture); } } - + /// /// Looks up a localized string similar to Whether or not Fill will call DataRow.AcceptChanges.. /// - internal static string DataAdapter_AcceptChangesDuringFill - { - get - { + internal static string DataAdapter_AcceptChangesDuringFill { + get { return ResourceManager.GetString("DataAdapter_AcceptChangesDuringFill", resourceCulture); } } - + /// /// Looks up a localized string similar to Whether or not Update will call DataRow.AcceptChanges.. /// - internal static string DataAdapter_AcceptChangesDuringUpdate - { - get - { + internal static string DataAdapter_AcceptChangesDuringUpdate { + get { return ResourceManager.GetString("DataAdapter_AcceptChangesDuringUpdate", resourceCulture); } } - + /// /// Looks up a localized string similar to Whether or not to continue to the next DataRow when the Update events, RowUpdating and RowUpdated, Status is UpdateStatus.ErrorsOccurred.. /// - internal static string DataAdapter_ContinueUpdateOnError - { - get - { + internal static string DataAdapter_ContinueUpdateOnError { + get { return ResourceManager.GetString("DataAdapter_ContinueUpdateOnError", resourceCulture); } } - + /// /// Looks up a localized string similar to Event triggered when a recoverable error occurs during Fill.. /// - internal static string DataAdapter_FillError - { - get - { + internal static string DataAdapter_FillError { + get { return ResourceManager.GetString("DataAdapter_FillError", resourceCulture); } } - + /// /// Looks up a localized string similar to How the adapter fills the DataTable from the DataReader.. /// - internal static string DataAdapter_FillLoadOption - { - get - { + internal static string DataAdapter_FillLoadOption { + get { return ResourceManager.GetString("DataAdapter_FillLoadOption", resourceCulture); } } - + /// /// Looks up a localized string similar to The action taken when a table or column in the TableMappings is missing.. /// - internal static string DataAdapter_MissingMappingAction - { - get - { + internal static string DataAdapter_MissingMappingAction { + get { return ResourceManager.GetString("DataAdapter_MissingMappingAction", resourceCulture); } } - + /// /// Looks up a localized string similar to The action taken when a table or column in the DataSet is missing.. /// - internal static string DataAdapter_MissingSchemaAction - { - get - { + internal static string DataAdapter_MissingSchemaAction { + get { return ResourceManager.GetString("DataAdapter_MissingSchemaAction", resourceCulture); } } - + /// /// Looks up a localized string similar to Should Fill return provider specific values or common CLSCompliant values.. /// - internal static string DataAdapter_ReturnProviderSpecificTypes - { - get - { + internal static string DataAdapter_ReturnProviderSpecificTypes { + get { return ResourceManager.GetString("DataAdapter_ReturnProviderSpecificTypes", resourceCulture); } } - + /// /// Looks up a localized string similar to How to map source table to DataSet table.. /// - internal static string DataAdapter_TableMappings - { - get - { + internal static string DataAdapter_TableMappings { + get { return ResourceManager.GetString("DataAdapter_TableMappings", resourceCulture); } } - + /// /// Looks up a localized string similar to Action. /// - internal static string DataCategory_Action - { - get - { + internal static string DataCategory_Action { + get { return ResourceManager.GetString("DataCategory_Action", resourceCulture); } } - + /// /// Looks up a localized string similar to Advanced. /// - internal static string DataCategory_Advanced - { - get - { + internal static string DataCategory_Advanced { + get { return ResourceManager.GetString("DataCategory_Advanced", resourceCulture); } } - + /// /// Looks up a localized string similar to Behavior. /// - internal static string DataCategory_Behavior - { - get - { + internal static string DataCategory_Behavior { + get { return ResourceManager.GetString("DataCategory_Behavior", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection Resiliency. /// - internal static string DataCategory_ConnectionResilency - { - get - { + internal static string DataCategory_ConnectionResilency { + get { return ResourceManager.GetString("DataCategory_ConnectionResilency", resourceCulture); } } - + /// /// Looks up a localized string similar to Context. /// - internal static string DataCategory_Context - { - get - { + internal static string DataCategory_Context { + get { return ResourceManager.GetString("DataCategory_Context", resourceCulture); } } - + /// /// Looks up a localized string similar to Data. /// - internal static string DataCategory_Data - { - get - { + internal static string DataCategory_Data { + get { return ResourceManager.GetString("DataCategory_Data", resourceCulture); } } - + /// /// Looks up a localized string similar to Fill. /// - internal static string DataCategory_Fill - { - get - { + internal static string DataCategory_Fill { + get { return ResourceManager.GetString("DataCategory_Fill", resourceCulture); } } - + /// /// Looks up a localized string similar to InfoMessage. /// - internal static string DataCategory_InfoMessage - { - get - { + internal static string DataCategory_InfoMessage { + get { return ResourceManager.GetString("DataCategory_InfoMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Initialization. /// - internal static string DataCategory_Initialization - { - get - { + internal static string DataCategory_Initialization { + get { return ResourceManager.GetString("DataCategory_Initialization", resourceCulture); } } - + /// /// Looks up a localized string similar to Mapping. /// - internal static string DataCategory_Mapping - { - get - { + internal static string DataCategory_Mapping { + get { return ResourceManager.GetString("DataCategory_Mapping", resourceCulture); } } - + /// /// Looks up a localized string similar to Named ConnectionString. /// - internal static string DataCategory_NamedConnectionString - { - get - { + internal static string DataCategory_NamedConnectionString { + get { return ResourceManager.GetString("DataCategory_NamedConnectionString", resourceCulture); } } - + /// /// Looks up a localized string similar to Notification. /// - internal static string DataCategory_Notification - { - get - { + internal static string DataCategory_Notification { + get { return ResourceManager.GetString("DataCategory_Notification", resourceCulture); } } - + /// /// Looks up a localized string similar to Pooling. /// - internal static string DataCategory_Pooling - { - get - { + internal static string DataCategory_Pooling { + get { return ResourceManager.GetString("DataCategory_Pooling", resourceCulture); } } - + /// /// Looks up a localized string similar to Replication. /// - internal static string DataCategory_Replication - { - get - { + internal static string DataCategory_Replication { + get { return ResourceManager.GetString("DataCategory_Replication", resourceCulture); } } - + /// /// Looks up a localized string similar to Schema. /// - internal static string DataCategory_Schema - { - get - { + internal static string DataCategory_Schema { + get { return ResourceManager.GetString("DataCategory_Schema", resourceCulture); } } - + /// /// Looks up a localized string similar to Security. /// - internal static string DataCategory_Security - { - get - { + internal static string DataCategory_Security { + get { return ResourceManager.GetString("DataCategory_Security", resourceCulture); } } - + /// /// Looks up a localized string similar to Source. /// - internal static string DataCategory_Source - { - get - { + internal static string DataCategory_Source { + get { return ResourceManager.GetString("DataCategory_Source", resourceCulture); } } - + /// /// Looks up a localized string similar to StateChange. /// - internal static string DataCategory_StateChange - { - get - { + internal static string DataCategory_StateChange { + get { return ResourceManager.GetString("DataCategory_StateChange", resourceCulture); } } - + /// /// Looks up a localized string similar to StatementCompleted. /// - internal static string DataCategory_StatementCompleted - { - get - { + internal static string DataCategory_StatementCompleted { + get { return ResourceManager.GetString("DataCategory_StatementCompleted", resourceCulture); } } - + /// /// Looks up a localized string similar to UDT. /// - internal static string DataCategory_Udt - { - get - { + internal static string DataCategory_Udt { + get { return ResourceManager.GetString("DataCategory_Udt", resourceCulture); } } - + /// /// Looks up a localized string similar to Update. /// - internal static string DataCategory_Update - { - get - { + internal static string DataCategory_Update { + get { return ResourceManager.GetString("DataCategory_Update", resourceCulture); } } - + /// /// Looks up a localized string similar to XML. /// - internal static string DataCategory_Xml - { - get - { + internal static string DataCategory_Xml { + get { return ResourceManager.GetString("DataCategory_Xml", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set AutoIncrement property for a column with DefaultValue set.. /// - internal static string DataColumn_AutoIncrementAndDefaultValue - { - get - { + internal static string DataColumn_AutoIncrementAndDefaultValue { + get { return ResourceManager.GetString("DataColumn_AutoIncrementAndDefaultValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set AutoIncrement property for a computed column.. /// - internal static string DataColumn_AutoIncrementAndExpression - { - get - { + internal static string DataColumn_AutoIncrementAndExpression { + get { return ResourceManager.GetString("DataColumn_AutoIncrementAndExpression", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change AutoIncrement of a DataColumn with type '{0}' once it has data.. /// - internal static string DataColumn_AutoIncrementCannotSetIfHasData - { - get - { + internal static string DataColumn_AutoIncrementCannotSetIfHasData { + get { return ResourceManager.GetString("DataColumn_AutoIncrementCannotSetIfHasData", resourceCulture); } } - + /// /// Looks up a localized string similar to AutoIncrementStep must be a non-zero value.. /// - internal static string DataColumn_AutoIncrementSeed - { - get - { + internal static string DataColumn_AutoIncrementSeed { + get { return ResourceManager.GetString("DataColumn_AutoIncrementSeed", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change the Column '{0}' property Namespace. The Column is SimpleContent.. /// - internal static string DataColumn_CannotChangeNamespace - { - get - { + internal static string DataColumn_CannotChangeNamespace { + get { return ResourceManager.GetString("DataColumn_CannotChangeNamespace", resourceCulture); } } - + /// /// Looks up a localized string similar to The DateTimeMode can be set only on DataColumns of type DateTime.. /// - internal static string DataColumn_CannotSetDateTimeModeForNonDateTimeColumns - { - get - { + internal static string DataColumn_CannotSetDateTimeModeForNonDateTimeColumns { + get { return ResourceManager.GetString("DataColumn_CannotSetDateTimeModeForNonDateTimeColumns", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set Column '{0}' property MaxLength to '{1}'. There is at least one string in the table longer than the new limit.. /// - internal static string DataColumn_CannotSetMaxLength - { - get - { + internal static string DataColumn_CannotSetMaxLength { + get { return ResourceManager.GetString("DataColumn_CannotSetMaxLength", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set Column '{0}' property MaxLength. The Column is SimpleContent.. /// - internal static string DataColumn_CannotSetMaxLength2 - { - get - { + internal static string DataColumn_CannotSetMaxLength2 { + get { return ResourceManager.GetString("DataColumn_CannotSetMaxLength2", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set Column '{0}' to be null. Please use DBNull instead.. /// - internal static string DataColumn_CannotSetToNull - { - get - { + internal static string DataColumn_CannotSetToNull { + get { return ResourceManager.GetString("DataColumn_CannotSetToNull", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set Column '{0}' property MappingType to SimpleContent. The Column DataType is {1}.. /// - internal static string DataColumn_CannotSimpleContent - { - get - { + internal static string DataColumn_CannotSimpleContent { + get { return ResourceManager.GetString("DataColumn_CannotSimpleContent", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set Column '{0}' property DataType to {1}. The Column is SimpleContent.. /// - internal static string DataColumn_CannotSimpleContentType - { - get - { + internal static string DataColumn_CannotSimpleContentType { + get { return ResourceManager.GetString("DataColumn_CannotSimpleContentType", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change DataType of a column once it has data.. /// - internal static string DataColumn_ChangeDataType - { - get - { + internal static string DataColumn_ChangeDataType { + get { return ResourceManager.GetString("DataColumn_ChangeDataType", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change DateTimeMode from '{0}' to '{1}' once the table has data.. /// - internal static string DataColumn_DateTimeMode - { - get - { + internal static string DataColumn_DateTimeMode { + get { return ResourceManager.GetString("DataColumn_DateTimeMode", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set a DefaultValue on an AutoIncrement column.. /// - internal static string DataColumn_DefaultValueAndAutoIncrement - { - get - { + internal static string DataColumn_DefaultValueAndAutoIncrement { + get { return ResourceManager.GetString("DataColumn_DefaultValueAndAutoIncrement", resourceCulture); } } - + /// /// Looks up a localized string similar to The DefaultValue for column {0} is of type {1}, but the column is of type {2}.. /// - internal static string DataColumn_DefaultValueColumnDataType - { - get - { + internal static string DataColumn_DefaultValueColumnDataType { + get { return ResourceManager.GetString("DataColumn_DefaultValueColumnDataType", resourceCulture); } } - + /// /// Looks up a localized string similar to The DefaultValue for column {0} is of type {1} and cannot be converted to {2}.. /// - internal static string DataColumn_DefaultValueDataType - { - get - { + internal static string DataColumn_DefaultValueDataType { + get { return ResourceManager.GetString("DataColumn_DefaultValueDataType", resourceCulture); } } - + /// /// Looks up a localized string similar to The DefaultValue for the column is of type {0} and cannot be converted to {1}.. /// - internal static string DataColumn_DefaultValueDataType1 - { - get - { + internal static string DataColumn_DefaultValueDataType1 { + get { return ResourceManager.GetString("DataColumn_DefaultValueDataType1", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' exceeds the MaxLength limit.. /// - internal static string DataColumn_ExceedMaxLength - { - get - { + internal static string DataColumn_ExceedMaxLength { + get { return ResourceManager.GetString("DataColumn_ExceedMaxLength", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set Expression property on column {0}, because it is a part of a constraint.. /// - internal static string DataColumn_ExpressionAndConstraint - { - get - { + internal static string DataColumn_ExpressionAndConstraint { + get { return ResourceManager.GetString("DataColumn_ExpressionAndConstraint", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set expression because column cannot be made ReadOnly.. /// - internal static string DataColumn_ExpressionAndReadOnly - { - get - { + internal static string DataColumn_ExpressionAndReadOnly { + get { return ResourceManager.GetString("DataColumn_ExpressionAndReadOnly", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot create an expression on a column that has AutoIncrement or Unique.. /// - internal static string DataColumn_ExpressionAndUnique - { - get - { + internal static string DataColumn_ExpressionAndUnique { + get { return ResourceManager.GetString("DataColumn_ExpressionAndUnique", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set Expression property due to circular reference in the expression.. /// - internal static string DataColumn_ExpressionCircular - { - get - { + internal static string DataColumn_ExpressionCircular { + get { return ResourceManager.GetString("DataColumn_ExpressionCircular", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot create a constraint based on Expression column {0}.. /// - internal static string DataColumn_ExpressionInConstraint - { - get - { + internal static string DataColumn_ExpressionInConstraint { + get { return ResourceManager.GetString("DataColumn_ExpressionInConstraint", resourceCulture); } } - + /// /// Looks up a localized string similar to MaxLength applies to string data type only. You cannot set Column '{0}' property MaxLength to be non-negative number.. /// - internal static string DataColumn_HasToBeStringType - { - get - { + internal static string DataColumn_HasToBeStringType { + get { return ResourceManager.GetString("DataColumn_HasToBeStringType", resourceCulture); } } - + /// /// Looks up a localized string similar to Type '{0}' does not contain static Null property or field.. /// - internal static string DataColumn_INullableUDTwithoutStaticNull - { - get - { + internal static string DataColumn_INullableUDTwithoutStaticNull { + get { return ResourceManager.GetString("DataColumn_INullableUDTwithoutStaticNull", resourceCulture); } } - + /// /// Looks up a localized string similar to DataColumn with type '{0}' is a complexType. Can not serialize value of a complex type as Attribute. /// - internal static string DataColumn_InvalidDataColumnMapping - { - get - { + internal static string DataColumn_InvalidDataColumnMapping { + get { return ResourceManager.GetString("DataColumn_InvalidDataColumnMapping", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}' is Invalid DataSetDateTime value.. /// - internal static string DataColumn_InvalidDateTimeMode - { - get - { + internal static string DataColumn_InvalidDateTimeMode { + get { return ResourceManager.GetString("DataColumn_InvalidDateTimeMode", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set column '{0}'. The value violates the MaxLength limit of this column.. /// - internal static string DataColumn_LongerThanMaxLength - { - get - { + internal static string DataColumn_LongerThanMaxLength { + get { return ResourceManager.GetString("DataColumn_LongerThanMaxLength", resourceCulture); } } - + /// /// Looks up a localized string similar to ColumnName is required when it is part of a DataTable.. /// - internal static string DataColumn_NameRequired - { - get - { + internal static string DataColumn_NameRequired { + get { return ResourceManager.GetString("DataColumn_NameRequired", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' contains non-unique values.. /// - internal static string DataColumn_NonUniqueValues - { - get - { + internal static string DataColumn_NonUniqueValues { + get { return ResourceManager.GetString("DataColumn_NonUniqueValues", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' does not allow DBNull.Value.. /// - internal static string DataColumn_NotAllowDBNull - { - get - { + internal static string DataColumn_NotAllowDBNull { + get { return ResourceManager.GetString("DataColumn_NotAllowDBNull", resourceCulture); } } - + /// /// Looks up a localized string similar to Column must belong to a table.. /// - internal static string DataColumn_NotInAnyTable - { - get - { + internal static string DataColumn_NotInAnyTable { + get { return ResourceManager.GetString("DataColumn_NotInAnyTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' does not belong to table {1}.. /// - internal static string DataColumn_NotInTheTable - { - get - { + internal static string DataColumn_NotInTheTable { + get { return ResourceManager.GetString("DataColumn_NotInTheTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' does not belong to underlying table '{1}'.. /// - internal static string DataColumn_NotInTheUnderlyingTable - { - get - { + internal static string DataColumn_NotInTheUnderlyingTable { + get { return ResourceManager.GetString("DataColumn_NotInTheUnderlyingTable", resourceCulture); } } - + /// /// Looks up a localized string similar to DataSet does not support System.Nullable<>.. /// - internal static string DataColumn_NullableTypesNotSupported - { - get - { + internal static string DataColumn_NullableTypesNotSupported { + get { return ResourceManager.GetString("DataColumn_NullableTypesNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Column requires a valid DataType.. /// - internal static string DataColumn_NullDataType - { - get - { + internal static string DataColumn_NullDataType { + get { return ResourceManager.GetString("DataColumn_NullDataType", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' has null values in it.. /// - internal static string DataColumn_NullKeyValues - { - get - { + internal static string DataColumn_NullKeyValues { + get { return ResourceManager.GetString("DataColumn_NullKeyValues", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' does not allow nulls.. /// - internal static string DataColumn_NullValues - { - get - { + internal static string DataColumn_NullValues { + get { return ResourceManager.GetString("DataColumn_NullValues", resourceCulture); } } - + /// /// Looks up a localized string similar to Ordinal '{0}' exceeds the maximum number.. /// - internal static string DataColumn_OrdinalExceedMaximun - { - get - { + internal static string DataColumn_OrdinalExceedMaximun { + get { return ResourceManager.GetString("DataColumn_OrdinalExceedMaximun", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' is read only.. /// - internal static string DataColumn_ReadOnly - { - get - { + internal static string DataColumn_ReadOnly { + get { return ResourceManager.GetString("DataColumn_ReadOnly", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change ReadOnly property for the expression column.. /// - internal static string DataColumn_ReadOnlyAndExpression - { - get - { + internal static string DataColumn_ReadOnlyAndExpression { + get { return ResourceManager.GetString("DataColumn_ReadOnlyAndExpression", resourceCulture); } } - + /// /// Looks up a localized string similar to SetAdded and SetModified can only be called on DataRows with Unchanged DataRowState.. /// - internal static string DataColumn_SetAddedAndModifiedCalledOnNonUnchanged - { - get - { + internal static string DataColumn_SetAddedAndModifiedCalledOnNonUnchanged { + get { return ResourceManager.GetString("DataColumn_SetAddedAndModifiedCalledOnNonUnchanged", resourceCulture); } } - + /// /// Looks up a localized string similar to Couldn't store <{0}> in {1} Column. Expected type is {2}.. /// - internal static string DataColumn_SetFailed - { - get - { + internal static string DataColumn_SetFailed { + get { return ResourceManager.GetString("DataColumn_SetFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Type '{0}' does not implement IRevertibleChangeTracking; therefore can not proceed with RejectChanges().. /// - internal static string DataColumn_UDTImplementsIChangeTrackingButnotIRevertible - { - get - { + internal static string DataColumn_UDTImplementsIChangeTrackingButnotIRevertible { + get { return ResourceManager.GetString("DataColumn_UDTImplementsIChangeTrackingButnotIRevertible", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change Unique property for the expression column.. /// - internal static string DataColumn_UniqueAndExpression - { - get - { + internal static string DataColumn_UniqueAndExpression { + get { return ResourceManager.GetString("DataColumn_UniqueAndExpression", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether null values are allowed in this column.. /// - internal static string DataColumnAllowNullDescr - { - get - { + internal static string DataColumnAllowNullDescr { + get { return ResourceManager.GetString("DataColumnAllowNullDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether the column automatically increments itself for new rows added to the table. The type of this column must be Int16, Int32, or Int64.. /// - internal static string DataColumnAutoIncrementDescr - { - get - { + internal static string DataColumnAutoIncrementDescr { + get { return ResourceManager.GetString("DataColumnAutoIncrementDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the starting value for an AutoIncrement column.. /// - internal static string DataColumnAutoIncrementSeedDescr - { - get - { + internal static string DataColumnAutoIncrementSeedDescr { + get { return ResourceManager.GetString("DataColumnAutoIncrementSeedDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the increment used by an AutoIncrement column.. /// - internal static string DataColumnAutoIncrementStepDescr - { - get - { + internal static string DataColumnAutoIncrementStepDescr { + get { return ResourceManager.GetString("DataColumnAutoIncrementStepDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the default user-interface caption for this column.. /// - internal static string DataColumnCaptionDescr - { - get - { + internal static string DataColumnCaptionDescr { + get { return ResourceManager.GetString("DataColumnCaptionDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the name used to look up this column in the Columns collection of a DataTable.. /// - internal static string DataColumnColumnNameDescr - { - get - { + internal static string DataColumnColumnNameDescr { + get { return ResourceManager.GetString("DataColumnColumnNameDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Returns the DataTable to which this column belongs.. /// - internal static string DataColumnDataTableDescr - { - get - { + internal static string DataColumnDataTableDescr { + get { return ResourceManager.GetString("DataColumnDataTableDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the type of data stored in this column.. /// - internal static string DataColumnDataTypeDescr - { - get - { + internal static string DataColumnDataTypeDescr { + get { return ResourceManager.GetString("DataColumnDataTypeDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates DateTimeMode of this DataColumn.. /// - internal static string DataColumnDateTimeModeDescr - { - get - { + internal static string DataColumnDateTimeModeDescr { + get { return ResourceManager.GetString("DataColumnDateTimeModeDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the default column value used when adding new rows to the table.. /// - internal static string DataColumnDefaultValueDescr - { - get - { + internal static string DataColumnDefaultValueDescr { + get { return ResourceManager.GetString("DataColumnDefaultValueDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the value that this column computes for each row based on other columns instead of taking user input.. /// - internal static string DataColumnExpressionDescr - { - get - { + internal static string DataColumnExpressionDescr { + get { return ResourceManager.GetString("DataColumnExpressionDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to DataColumn.ColumnName. /// - internal static string DataColumnMapping_DataSetColumn - { - get - { + internal static string DataColumnMapping_DataSetColumn { + get { return ResourceManager.GetString("DataColumnMapping_DataSetColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to Source column name - case sensitive.. /// - internal static string DataColumnMapping_SourceColumn - { - get - { + internal static string DataColumnMapping_SourceColumn { + get { return ResourceManager.GetString("DataColumnMapping_SourceColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates how this column persists in XML: as an attribute, element, simple content node, or nothing.. /// - internal static string DataColumnMappingDescr - { - get - { + internal static string DataColumnMappingDescr { + get { return ResourceManager.GetString("DataColumnMappingDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to The number of items in the collection. /// - internal static string DataColumnMappings_Count - { - get - { + internal static string DataColumnMappings_Count { + get { return ResourceManager.GetString("DataColumnMappings_Count", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified DataColumnMapping object.. /// - internal static string DataColumnMappings_Item - { - get - { + internal static string DataColumnMappings_Item { + get { return ResourceManager.GetString("DataColumnMappings_Item", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the maximum length of the value this column allows.. /// - internal static string DataColumnMaxLengthDescr - { - get - { + internal static string DataColumnMaxLengthDescr { + get { return ResourceManager.GetString("DataColumnMaxLengthDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the XML uri for elements or attributes stored in this column.. /// - internal static string DataColumnNamespaceDescr - { - get - { + internal static string DataColumnNamespaceDescr { + get { return ResourceManager.GetString("DataColumnNamespaceDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the index of this column in the Columns collection.. /// - internal static string DataColumnOrdinalDescr - { - get - { + internal static string DataColumnOrdinalDescr { + get { return ResourceManager.GetString("DataColumnOrdinalDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the Prefix used for this DataColumn in xml representation.. /// - internal static string DataColumnPrefixDescr - { - get - { + internal static string DataColumnPrefixDescr { + get { return ResourceManager.GetString("DataColumnPrefixDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether this column allows changes once a row has been added to the table.. /// - internal static string DataColumnReadOnlyDescr - { - get - { + internal static string DataColumnReadOnlyDescr { + get { return ResourceManager.GetString("DataColumnReadOnlyDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' already belongs to this DataTable.. /// - internal static string DataColumns_Add1 - { - get - { + internal static string DataColumns_Add1 { + get { return ResourceManager.GetString("DataColumns_Add1", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' already belongs to another DataTable.. /// - internal static string DataColumns_Add2 - { - get - { + internal static string DataColumns_Add2 { + get { return ResourceManager.GetString("DataColumns_Add2", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot have more than one SimpleContent columns in a DataTable.. /// - internal static string DataColumns_Add3 - { - get - { + internal static string DataColumns_Add3 { + get { return ResourceManager.GetString("DataColumns_Add3", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add a SimpleContent column to a table containing element columns or nested relations.. /// - internal static string DataColumns_Add4 - { - get - { + internal static string DataColumns_Add4 { + get { return ResourceManager.GetString("DataColumns_Add4", resourceCulture); } } - + /// /// Looks up a localized string similar to A column named '{0}' already belongs to this DataTable.. /// - internal static string DataColumns_AddDuplicate - { - get - { + internal static string DataColumns_AddDuplicate { + get { return ResourceManager.GetString("DataColumns_AddDuplicate", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add a column named '{0}': a nested table with the same name already belongs to this DataTable.. /// - internal static string DataColumns_AddDuplicate2 - { - get - { + internal static string DataColumns_AddDuplicate2 { + get { return ResourceManager.GetString("DataColumns_AddDuplicate2", resourceCulture); } } - + /// /// Looks up a localized string similar to A column named '{0}' already belongs to this DataTable: cannot set a nested table name to the same name.. /// - internal static string DataColumns_AddDuplicate3 - { - get - { + internal static string DataColumns_AddDuplicate3 { + get { return ResourceManager.GetString("DataColumns_AddDuplicate3", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot find column {0}.. /// - internal static string DataColumns_OutOfRange - { - get - { + internal static string DataColumns_OutOfRange { + get { return ResourceManager.GetString("DataColumns_OutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove a column that doesn't belong to this table.. /// - internal static string DataColumns_Remove - { - get - { + internal static string DataColumns_Remove { + get { return ResourceManager.GetString("DataColumns_Remove", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove this column, because it is part of the parent key for relationship {0}.. /// - internal static string DataColumns_RemoveChildKey - { - get - { + internal static string DataColumns_RemoveChildKey { + get { return ResourceManager.GetString("DataColumns_RemoveChildKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove this column, because it is a part of the constraint {0} on the table {1}.. /// - internal static string DataColumns_RemoveConstraint - { - get - { + internal static string DataColumns_RemoveConstraint { + get { return ResourceManager.GetString("DataColumns_RemoveConstraint", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove this column, because it is part of an expression: {0} = {1}.. /// - internal static string DataColumns_RemoveExpression - { - get - { + internal static string DataColumns_RemoveExpression { + get { return ResourceManager.GetString("DataColumns_RemoveExpression", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove this column, because it's part of the primary key.. /// - internal static string DataColumns_RemovePrimaryKey - { - get - { + internal static string DataColumns_RemovePrimaryKey { + get { return ResourceManager.GetString("DataColumns_RemovePrimaryKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether this column should restrict its values in the rows of the table to be unique.. /// - internal static string DataColumnUniqueDescr - { - get - { + internal static string DataColumnUniqueDescr { + get { return ResourceManager.GetString("DataColumnUniqueDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to This constraint cannot be added since ForeignKey doesn't belong to table {0}.. /// - internal static string DataConstraint_AddFailed - { - get - { + internal static string DataConstraint_AddFailed { + get { return ResourceManager.GetString("DataConstraint_AddFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add primary key constraint since primary key is already set for the table.. /// - internal static string DataConstraint_AddPrimaryKeyConstraint - { - get - { + internal static string DataConstraint_AddPrimaryKeyConstraint { + get { return ResourceManager.GetString("DataConstraint_AddPrimaryKeyConstraint", resourceCulture); } } - + /// /// Looks up a localized string similar to Property not accessible because '{0}'.. /// - internal static string DataConstraint_BadObjectPropertyAccess - { - get - { + internal static string DataConstraint_BadObjectPropertyAccess { + get { return ResourceManager.GetString("DataConstraint_BadObjectPropertyAccess", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add constraint to DataTable '{0}' which is a child table in two nested relations.. /// - internal static string DataConstraint_CantAddConstraintToMultipleNestedTable - { - get - { + internal static string DataConstraint_CantAddConstraintToMultipleNestedTable { + get { return ResourceManager.GetString("DataConstraint_CantAddConstraintToMultipleNestedTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot delete this row because constraints are enforced on relation {0}, and deleting this row will strand child rows.. /// - internal static string DataConstraint_CascadeDelete - { - get - { + internal static string DataConstraint_CascadeDelete { + get { return ResourceManager.GetString("DataConstraint_CascadeDelete", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot make this change because constraints are enforced on relation {0}, and changing this value will strand child rows.. /// - internal static string DataConstraint_CascadeUpdate - { - get - { + internal static string DataConstraint_CascadeUpdate { + get { return ResourceManager.GetString("DataConstraint_CascadeUpdate", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot clear table {0} because ForeignKeyConstraint {1} enforces constraints and there are child rows in {2}.. /// - internal static string DataConstraint_ClearParentTable - { - get - { + internal static string DataConstraint_ClearParentTable { + get { return ResourceManager.GetString("DataConstraint_ClearParentTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Constraint matches constraint named {0} already in collection.. /// - internal static string DataConstraint_Duplicate - { - get - { + internal static string DataConstraint_Duplicate { + get { return ResourceManager.GetString("DataConstraint_Duplicate", resourceCulture); } } - + /// /// Looks up a localized string similar to A Constraint named '{0}' already belongs to this DataTable.. /// - internal static string DataConstraint_DuplicateName - { - get - { + internal static string DataConstraint_DuplicateName { + get { return ResourceManager.GetString("DataConstraint_DuplicateName", resourceCulture); } } - + /// /// Looks up a localized string similar to ForeignKeyConstraint {0} requires the child key values ({1}) to exist in the parent table.. /// - internal static string DataConstraint_ForeignKeyViolation - { - get - { + internal static string DataConstraint_ForeignKeyViolation { + get { return ResourceManager.GetString("DataConstraint_ForeignKeyViolation", resourceCulture); } } - + /// /// Looks up a localized string similar to These columns don't point to this table.. /// - internal static string DataConstraint_ForeignTable - { - get - { + internal static string DataConstraint_ForeignTable { + get { return ResourceManager.GetString("DataConstraint_ForeignTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove unique constraint '{0}'. Remove foreign key constraint '{1}' first.. /// - internal static string DataConstraint_NeededForForeignKeyConstraint - { - get - { + internal static string DataConstraint_NeededForForeignKeyConstraint { + get { return ResourceManager.GetString("DataConstraint_NeededForForeignKeyConstraint", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change the name of a constraint to empty string when it is in the ConstraintCollection.. /// - internal static string DataConstraint_NoName - { - get - { + internal static string DataConstraint_NoName { + get { return ResourceManager.GetString("DataConstraint_NoName", resourceCulture); } } - + /// /// Looks up a localized string similar to Constraint '{0}' does not belong to this DataTable.. /// - internal static string DataConstraint_NotInTheTable - { - get - { + internal static string DataConstraint_NotInTheTable { + get { return ResourceManager.GetString("DataConstraint_NotInTheTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot find constraint {0}.. /// - internal static string DataConstraint_OutOfRange - { - get - { + internal static string DataConstraint_OutOfRange { + get { return ResourceManager.GetString("DataConstraint_OutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to This constraint cannot be enabled as not all values have corresponding parent values.. /// - internal static string DataConstraint_ParentValues - { - get - { + internal static string DataConstraint_ParentValues { + get { return ResourceManager.GetString("DataConstraint_ParentValues", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove a constraint that doesn't belong to this table.. /// - internal static string DataConstraint_RemoveFailed - { - get - { + internal static string DataConstraint_RemoveFailed { + get { return ResourceManager.GetString("DataConstraint_RemoveFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove this row because it has child rows, and constraints on relation {0} are enforced.. /// - internal static string DataConstraint_RemoveParentRow - { - get - { + internal static string DataConstraint_RemoveParentRow { + get { return ResourceManager.GetString("DataConstraint_RemoveParentRow", resourceCulture); } } - + /// /// Looks up a localized string similar to These columns don't currently have unique values.. /// - internal static string DataConstraint_UniqueViolation - { - get - { + internal static string DataConstraint_UniqueViolation { + get { return ResourceManager.GetString("DataConstraint_UniqueViolation", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot enforce constraints on constraint {0}.. /// - internal static string DataConstraint_Violation - { - get - { + internal static string DataConstraint_Violation { + get { return ResourceManager.GetString("DataConstraint_Violation", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' is constrained to be unique. Value '{1}' is already present.. /// - internal static string DataConstraint_ViolationValue - { - get - { + internal static string DataConstraint_ViolationValue { + get { return ResourceManager.GetString("DataConstraint_ViolationValue", resourceCulture); } } - + /// /// Looks up a localized string similar to This type of node cannot be cloned: {0}.. /// - internal static string DataDom_CloneNode - { - get - { + internal static string DataDom_CloneNode { + get { return ResourceManager.GetString("DataDom_CloneNode", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change the ColumnMapping property once the associated DataSet is mapped to a loaded XML document.. /// - internal static string DataDom_ColumnMappingChange - { - get - { + internal static string DataDom_ColumnMappingChange { + get { return ResourceManager.GetString("DataDom_ColumnMappingChange", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change the column name once the associated DataSet is mapped to a loaded XML document.. /// - internal static string DataDom_ColumnNameChange - { - get - { + internal static string DataDom_ColumnNameChange { + get { return ResourceManager.GetString("DataDom_ColumnNameChange", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change the column namespace once the associated DataSet is mapped to a loaded XML document.. /// - internal static string DataDom_ColumnNamespaceChange - { - get - { + internal static string DataDom_ColumnNamespaceChange { + get { return ResourceManager.GetString("DataDom_ColumnNamespaceChange", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change the DataSet name once the DataSet is mapped to a loaded XML document.. /// - internal static string DataDom_DataSetNameChange - { - get - { + internal static string DataDom_DataSetNameChange { + get { return ResourceManager.GetString("DataDom_DataSetNameChange", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add, remove, or change Nested relations from the DataSet once the DataSet is mapped to a loaded XML document.. /// - internal static string DataDom_DataSetNestedRelationsChange - { - get - { + internal static string DataDom_DataSetNestedRelationsChange { + get { return ResourceManager.GetString("DataDom_DataSetNestedRelationsChange", resourceCulture); } } - + /// /// Looks up a localized string similar to The DataSet parameter is invalid. It cannot be null.. /// - internal static string DataDom_DataSetNull - { - get - { + internal static string DataDom_DataSetNull { + get { return ResourceManager.GetString("DataDom_DataSetNull", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add or remove tables from the DataSet once the DataSet is mapped to a loaded XML document.. /// - internal static string DataDom_DataSetTablesChange - { - get - { + internal static string DataDom_DataSetTablesChange { + get { return ResourceManager.GetString("DataDom_DataSetTablesChange", resourceCulture); } } - + /// /// Looks up a localized string similar to Please set DataSet.EnforceConstraints == false before trying to edit XmlDataDocument using XML operations.. /// - internal static string DataDom_EnforceConstraintsShouldBeOff - { - get - { + internal static string DataDom_EnforceConstraintsShouldBeOff { + get { return ResourceManager.GetString("DataDom_EnforceConstraintsShouldBeOff", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid foliation.. /// - internal static string DataDom_Foliation - { - get - { + internal static string DataDom_Foliation { + get { return ResourceManager.GetString("DataDom_Foliation", resourceCulture); } } - + /// /// Looks up a localized string similar to DataSet can be associated with at most one XmlDataDocument. Cannot associate the DataSet with the current XmlDataDocument because the DataSet is already associated with another XmlDataDocument.. /// - internal static string DataDom_MultipleDataSet - { - get - { + internal static string DataDom_MultipleDataSet { + get { return ResourceManager.GetString("DataDom_MultipleDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot load XmlDataDocument if it already contains data. Please use a new XmlDataDocument.. /// - internal static string DataDom_MultipleLoad - { - get - { + internal static string DataDom_MultipleLoad { + get { return ResourceManager.GetString("DataDom_MultipleLoad", resourceCulture); } } - + /// /// Looks up a localized string similar to Clear function on DateSet and DataTable is not supported on XmlDataDocument.. /// - internal static string DataDom_NotSupport_Clear - { - get - { + internal static string DataDom_NotSupport_Clear { + get { return ResourceManager.GetString("DataDom_NotSupport_Clear", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot create entity references on DataDocument.. /// - internal static string DataDom_NotSupport_EntRef - { - get - { + internal static string DataDom_NotSupport_EntRef { + get { return ResourceManager.GetString("DataDom_NotSupport_EntRef", resourceCulture); } } - + /// /// Looks up a localized string similar to GetElementById() is not supported on DataDocument.. /// - internal static string DataDom_NotSupport_GetElementById - { - get - { + internal static string DataDom_NotSupport_GetElementById { + get { return ResourceManager.GetString("DataDom_NotSupport_GetElementById", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add or remove columns from the table once the DataSet is mapped to a loaded XML document.. /// - internal static string DataDom_TableColumnsChange - { - get - { + internal static string DataDom_TableColumnsChange { + get { return ResourceManager.GetString("DataDom_TableColumnsChange", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change the table name once the associated DataSet is mapped to a loaded XML document.. /// - internal static string DataDom_TableNameChange - { - get - { + internal static string DataDom_TableNameChange { + get { return ResourceManager.GetString("DataDom_TableNameChange", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change the table namespace once the associated DataSet is mapped to a loaded XML document.. /// - internal static string DataDom_TableNamespaceChange - { - get - { + internal static string DataDom_TableNamespaceChange { + get { return ResourceManager.GetString("DataDom_TableNamespaceChange", resourceCulture); } } - + /// /// Looks up a localized string similar to Find finds a row based on a Sort order, and no Sort order is specified.. /// - internal static string DataIndex_FindWithoutSortOrder - { - get - { + internal static string DataIndex_FindWithoutSortOrder { + get { return ResourceManager.GetString("DataIndex_FindWithoutSortOrder", resourceCulture); } } - + /// /// Looks up a localized string similar to Expecting {0} value(s) for the key being indexed, but received {1} value(s).. /// - internal static string DataIndex_KeyLength - { - get - { + internal static string DataIndex_KeyLength { + get { return ResourceManager.GetString("DataIndex_KeyLength", resourceCulture); } } - + /// /// Looks up a localized string similar to The RowStates parameter must be set to a valid combination of values from the DataViewRowState enumeration.. /// - internal static string DataIndex_RecordStateRange - { - get - { + internal static string DataIndex_RecordStateRange { + get { return ResourceManager.GetString("DataIndex_RecordStateRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot create a Key when the same column is listed more than once: '{0}'. /// - internal static string DataKey_DuplicateColumns - { - get - { + internal static string DataKey_DuplicateColumns { + get { return ResourceManager.GetString("DataKey_DuplicateColumns", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot have 0 columns.. /// - internal static string DataKey_NoColumns - { - get - { + internal static string DataKey_NoColumns { + get { return ResourceManager.GetString("DataKey_NoColumns", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove unique constraint since it's the primary key of a table.. /// - internal static string DataKey_RemovePrimaryKey - { - get - { + internal static string DataKey_RemovePrimaryKey { + get { return ResourceManager.GetString("DataKey_RemovePrimaryKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove unique constraint since it's the primary key of table {0}.. /// - internal static string DataKey_RemovePrimaryKey1 - { - get - { + internal static string DataKey_RemovePrimaryKey1 { + get { return ResourceManager.GetString("DataKey_RemovePrimaryKey1", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot create a Key from Columns that belong to different tables.. /// - internal static string DataKey_TableMismatch - { - get - { + internal static string DataKey_TableMismatch { + get { return ResourceManager.GetString("DataKey_TableMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot have more than {0} columns.. /// - internal static string DataKey_TooManyColumns - { - get - { + internal static string DataKey_TooManyColumns { + get { return ResourceManager.GetString("DataKey_TooManyColumns", resourceCulture); } } - + /// /// Looks up a localized string similar to <target>.{0} and <source>.{0} have conflicting properties: DataType property mismatch.. /// - internal static string DataMerge_DataTypeMismatch - { - get - { + internal static string DataMerge_DataTypeMismatch { + get { return ResourceManager.GetString("DataMerge_DataTypeMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Target table {0} missing definition for column {1}.. /// - internal static string DataMerge_MissingColumnDefinition - { - get - { + internal static string DataMerge_MissingColumnDefinition { + get { return ResourceManager.GetString("DataMerge_MissingColumnDefinition", resourceCulture); } } - + /// /// Looks up a localized string similar to Target DataSet missing {0} {1}.. /// - internal static string DataMerge_MissingConstraint - { - get - { + internal static string DataMerge_MissingConstraint { + get { return ResourceManager.GetString("DataMerge_MissingConstraint", resourceCulture); } } - + /// /// Looks up a localized string similar to Target DataSet missing definition for {0}.. /// - internal static string DataMerge_MissingDefinition - { - get - { + internal static string DataMerge_MissingDefinition { + get { return ResourceManager.GetString("DataMerge_MissingDefinition", resourceCulture); } } - + /// /// Looks up a localized string similar to PrimaryKey column {0} does not exist in source Table.. /// - internal static string DataMerge_MissingPrimaryKeyColumnInSource - { - get - { + internal static string DataMerge_MissingPrimaryKeyColumnInSource { + get { return ResourceManager.GetString("DataMerge_MissingPrimaryKeyColumnInSource", resourceCulture); } } - + /// /// Looks up a localized string similar to Mismatch columns in the PrimaryKey : <target>.{0} versus <source>.{1}.. /// - internal static string DataMerge_PrimaryKeyColumnsMismatch - { - get - { + internal static string DataMerge_PrimaryKeyColumnsMismatch { + get { return ResourceManager.GetString("DataMerge_PrimaryKeyColumnsMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to <target>.PrimaryKey and <source>.PrimaryKey have different Length.. /// - internal static string DataMerge_PrimaryKeyMismatch - { - get - { + internal static string DataMerge_PrimaryKeyMismatch { + get { return ResourceManager.GetString("DataMerge_PrimaryKeyMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Relation {0} cannot be merged, because keys have mismatch columns.. /// - internal static string DataMerge_ReltionKeyColumnsMismatch - { - get - { + internal static string DataMerge_ReltionKeyColumnsMismatch { + get { return ResourceManager.GetString("DataMerge_ReltionKeyColumnsMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to A relation already exists for these child columns.. /// - internal static string DataRelation_AlreadyExists - { - get - { + internal static string DataRelation_AlreadyExists { + get { return ResourceManager.GetString("DataRelation_AlreadyExists", resourceCulture); } } - + /// /// Looks up a localized string similar to This relation already belongs to another DataSet.. /// - internal static string DataRelation_AlreadyInOtherDataSet - { - get - { + internal static string DataRelation_AlreadyInOtherDataSet { + get { return ResourceManager.GetString("DataRelation_AlreadyInOtherDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to This relation already belongs to this DataSet.. /// - internal static string DataRelation_AlreadyInTheDataSet - { - get - { + internal static string DataRelation_AlreadyInTheDataSet { + get { return ResourceManager.GetString("DataRelation_AlreadyInTheDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add a DataRelation or Constraint that has different Locale or CaseSensitive settings between its parent and child tables.. /// - internal static string DataRelation_CaseLocaleMismatch - { - get - { + internal static string DataRelation_CaseLocaleMismatch { + get { return ResourceManager.GetString("DataRelation_CaseLocaleMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add a relation to this table's ParentRelation collection where this table isn't the child table.. /// - internal static string DataRelation_ChildTableMismatch - { - get - { + internal static string DataRelation_ChildTableMismatch { + get { return ResourceManager.GetString("DataRelation_ChildTableMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Parent Columns and Child Columns don't have type-matching columns.. /// - internal static string DataRelation_ColumnsTypeMismatch - { - get - { + internal static string DataRelation_ColumnsTypeMismatch { + get { return ResourceManager.GetString("DataRelation_ColumnsTypeMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot have a relationship between tables in different DataSets.. /// - internal static string DataRelation_DataSetMismatch - { - get - { + internal static string DataRelation_DataSetMismatch { + get { return ResourceManager.GetString("DataRelation_DataSetMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to This relation doesn't belong to this relation collection.. /// - internal static string DataRelation_DoesNotExist - { - get - { + internal static string DataRelation_DoesNotExist { + get { return ResourceManager.GetString("DataRelation_DoesNotExist", resourceCulture); } } - + /// /// Looks up a localized string similar to A Relation named '{0}' already belongs to this DataSet.. /// - internal static string DataRelation_DuplicateName - { - get - { + internal static string DataRelation_DuplicateName { + get { return ResourceManager.GetString("DataRelation_DuplicateName", resourceCulture); } } - + /// /// Looks up a localized string similar to This relation should connect two tables in this DataSet to be added to this DataSet.. /// - internal static string DataRelation_ForeignDataSet - { - get - { + internal static string DataRelation_ForeignDataSet { + get { return ResourceManager.GetString("DataRelation_ForeignDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to The row doesn't belong to the same DataSet as this relation.. /// - internal static string DataRelation_ForeignRow - { - get - { + internal static string DataRelation_ForeignRow { + get { return ResourceManager.GetString("DataRelation_ForeignRow", resourceCulture); } } - + /// /// Looks up a localized string similar to GetChildRows requires a row whose Table is {0}, but the specified row's Table is {1}.. /// - internal static string DataRelation_ForeignTable - { - get - { + internal static string DataRelation_ForeignTable { + get { return ResourceManager.GetString("DataRelation_ForeignTable", resourceCulture); } } - + /// /// Looks up a localized string similar to GetParentRow requires a row whose Table is {0}, but the specified row's Table is {1}.. /// - internal static string DataRelation_GetParentRowTableMismatch - { - get - { + internal static string DataRelation_GetParentRowTableMismatch { + get { return ResourceManager.GetString("DataRelation_GetParentRowTableMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Nested table '{0}' with empty namespace cannot have multiple parent tables in different namespaces.. /// - internal static string DataRelation_InValidNamespaceInNestedRelation - { - get - { + internal static string DataRelation_InValidNamespaceInNestedRelation { + get { return ResourceManager.GetString("DataRelation_InValidNamespaceInNestedRelation", resourceCulture); } } - + /// /// Looks up a localized string similar to Nested table '{0}' which inherits its namespace cannot have multiple parent tables in different namespaces.. /// - internal static string DataRelation_InValidNestedRelation - { - get - { + internal static string DataRelation_InValidNestedRelation { + get { return ResourceManager.GetString("DataRelation_InValidNestedRelation", resourceCulture); } } - + /// /// Looks up a localized string similar to ParentKey and ChildKey are identical.. /// - internal static string DataRelation_KeyColumnsIdentical - { - get - { + internal static string DataRelation_KeyColumnsIdentical { + get { return ResourceManager.GetString("DataRelation_KeyColumnsIdentical", resourceCulture); } } - + /// /// Looks up a localized string similar to ParentColumns and ChildColumns should be the same length.. /// - internal static string DataRelation_KeyLengthMismatch - { - get - { + internal static string DataRelation_KeyLengthMismatch { + get { return ResourceManager.GetString("DataRelation_KeyLengthMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to ParentColumns and ChildColumns must not be zero length.. /// - internal static string DataRelation_KeyZeroLength - { - get - { + internal static string DataRelation_KeyZeroLength { + get { return ResourceManager.GetString("DataRelation_KeyZeroLength", resourceCulture); } } - + /// /// Looks up a localized string similar to The table ({0}) cannot be the child table to itself in nested relations.. /// - internal static string DataRelation_LoopInNestedRelations - { - get - { + internal static string DataRelation_LoopInNestedRelations { + get { return ResourceManager.GetString("DataRelation_LoopInNestedRelations", resourceCulture); } } - + /// /// Looks up a localized string similar to RelationName is required when it is part of a DataSet.. /// - internal static string DataRelation_NoName - { - get - { + internal static string DataRelation_NoName { + get { return ResourceManager.GetString("DataRelation_NoName", resourceCulture); } } - + /// /// Looks up a localized string similar to Relation {0} does not belong to this DataSet.. /// - internal static string DataRelation_NotInTheDataSet - { - get - { + internal static string DataRelation_NotInTheDataSet { + get { return ResourceManager.GetString("DataRelation_NotInTheDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot find relation {0}.. /// - internal static string DataRelation_OutOfRange - { - get - { + internal static string DataRelation_OutOfRange { + get { return ResourceManager.GetString("DataRelation_OutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot create a DataRelation if Parent or Child Columns are not in a DataSet.. /// - internal static string DataRelation_ParentOrChildColumnsDoNotHaveDataSet - { - get - { + internal static string DataRelation_ParentOrChildColumnsDoNotHaveDataSet { + get { return ResourceManager.GetString("DataRelation_ParentOrChildColumnsDoNotHaveDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add a relation to this table's ChildRelation collection where this table isn't the parent table.. /// - internal static string DataRelation_ParentTableMismatch - { - get - { + internal static string DataRelation_ParentTableMismatch { + get { return ResourceManager.GetString("DataRelation_ParentTableMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set the 'Nested' property to false for this relation.. /// - internal static string DataRelation_RelationNestedReadOnly - { - get - { + internal static string DataRelation_RelationNestedReadOnly { + get { return ResourceManager.GetString("DataRelation_RelationNestedReadOnly", resourceCulture); } } - + /// /// Looks up a localized string similar to SetParentRow requires a child row whose Table is {0}, but the specified row's Table is {1}.. /// - internal static string DataRelation_SetParentRowTableMismatch - { - get - { + internal static string DataRelation_SetParentRowTableMismatch { + get { return ResourceManager.GetString("DataRelation_SetParentRowTableMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to The same table '{0}' cannot be the child table in two nested relations.. /// - internal static string DataRelation_TableCantBeNestedInTwoTables - { - get - { + internal static string DataRelation_TableCantBeNestedInTwoTables { + get { return ResourceManager.GetString("DataRelation_TableCantBeNestedInTwoTables", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot create a collection on a null table.. /// - internal static string DataRelation_TableNull - { - get - { + internal static string DataRelation_TableNull { + get { return ResourceManager.GetString("DataRelation_TableNull", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot create a relation between tables in different DataSets.. /// - internal static string DataRelation_TablesInDifferentSets - { - get - { + internal static string DataRelation_TablesInDifferentSets { + get { return ResourceManager.GetString("DataRelation_TablesInDifferentSets", resourceCulture); } } - + /// /// Looks up a localized string similar to The table this collection displays relations for has been removed from its DataSet.. /// - internal static string DataRelation_TableWasRemoved - { - get - { + internal static string DataRelation_TableWasRemoved { + get { return ResourceManager.GetString("DataRelation_TableWasRemoved", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the child columns of this relation.. /// - internal static string DataRelationChildColumnsDescr - { - get - { + internal static string DataRelationChildColumnsDescr { + get { return ResourceManager.GetString("DataRelationChildColumnsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether relations are nested.. /// - internal static string DataRelationNested - { - get - { + internal static string DataRelationNested { + get { return ResourceManager.GetString("DataRelationNested", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the parent columns of this relation.. /// - internal static string DataRelationParentColumnsDescr - { - get - { + internal static string DataRelationParentColumnsDescr { + get { return ResourceManager.GetString("DataRelationParentColumnsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to The name used to look up this relation in the Relations collection of a DataSet.. /// - internal static string DataRelationRelationNameDescr - { - get - { + internal static string DataRelationRelationNameDescr { + get { return ResourceManager.GetString("DataRelationRelationNameDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot delete this row since it's already deleted.. /// - internal static string DataRow_AlreadyDeleted - { - get - { + internal static string DataRow_AlreadyDeleted { + get { return ResourceManager.GetString("DataRow_AlreadyDeleted", resourceCulture); } } - + /// /// Looks up a localized string similar to This row already belongs to another table.. /// - internal static string DataRow_AlreadyInOtherCollection - { - get - { + internal static string DataRow_AlreadyInOtherCollection { + get { return ResourceManager.GetString("DataRow_AlreadyInOtherCollection", resourceCulture); } } - + /// /// Looks up a localized string similar to This row already belongs to this table.. /// - internal static string DataRow_AlreadyInTheCollection - { - get - { + internal static string DataRow_AlreadyInTheCollection { + get { return ResourceManager.GetString("DataRow_AlreadyInTheCollection", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove a row that's already been removed.. /// - internal static string DataRow_AlreadyRemoved - { - get - { + internal static string DataRow_AlreadyRemoved { + get { return ResourceManager.GetString("DataRow_AlreadyRemoved", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot call BeginEdit() inside the RowChanging event.. /// - internal static string DataRow_BeginEditInRowChanging - { - get - { + internal static string DataRow_BeginEditInRowChanging { + get { return ResourceManager.GetString("DataRow_BeginEditInRowChanging", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot call CancelEdit() inside an OnRowChanging event. Throw an exception to cancel this update.. /// - internal static string DataRow_CancelEditInRowChanging - { - get - { + internal static string DataRow_CancelEditInRowChanging { + get { return ResourceManager.GetString("DataRow_CancelEditInRowChanging", resourceCulture); } } - + /// /// Looks up a localized string similar to Deleted row information cannot be accessed through the row.. /// - internal static string DataRow_DeletedRowInaccessible - { - get - { + internal static string DataRow_DeletedRowInaccessible { + get { return ResourceManager.GetString("DataRow_DeletedRowInaccessible", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot call Delete inside an OnRowDeleting event. Throw an exception to cancel this delete.. /// - internal static string DataRow_DeleteInRowDeleting - { - get - { + internal static string DataRow_DeleteInRowDeleting { + get { return ResourceManager.GetString("DataRow_DeleteInRowDeleting", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change a proposed value in the RowChanging event.. /// - internal static string DataRow_EditInRowChanging - { - get - { + internal static string DataRow_EditInRowChanging { + get { return ResourceManager.GetString("DataRow_EditInRowChanging", resourceCulture); } } - + /// /// Looks up a localized string similar to This row is empty.. /// - internal static string DataRow_Empty - { - get - { + internal static string DataRow_Empty { + get { return ResourceManager.GetString("DataRow_Empty", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot call EndEdit() inside an OnRowChanging event.. /// - internal static string DataRow_EndEditInRowChanging - { - get - { + internal static string DataRow_EndEditInRowChanging { + get { return ResourceManager.GetString("DataRow_EndEditInRowChanging", resourceCulture); } } - + /// /// Looks up a localized string similar to Unrecognized row state bit pattern.. /// - internal static string DataRow_InvalidRowBitPattern - { - get - { + internal static string DataRow_InvalidRowBitPattern { + get { return ResourceManager.GetString("DataRow_InvalidRowBitPattern", resourceCulture); } } - + /// /// Looks up a localized string similar to Version must be Original, Current, or Proposed.. /// - internal static string DataRow_InvalidVersion - { - get - { + internal static string DataRow_InvalidVersion { + get { return ResourceManager.GetString("DataRow_InvalidVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to A child row has multiple parents.. /// - internal static string DataRow_MultipleParents - { - get - { + internal static string DataRow_MultipleParents { + get { return ResourceManager.GetString("DataRow_MultipleParents", resourceCulture); } } - + /// /// Looks up a localized string similar to There is no Current data to access.. /// - internal static string DataRow_NoCurrentData - { - get - { + internal static string DataRow_NoCurrentData { + get { return ResourceManager.GetString("DataRow_NoCurrentData", resourceCulture); } } - + /// /// Looks up a localized string similar to There is no Original data to access.. /// - internal static string DataRow_NoOriginalData - { - get - { + internal static string DataRow_NoOriginalData { + get { return ResourceManager.GetString("DataRow_NoOriginalData", resourceCulture); } } - + /// /// Looks up a localized string similar to There is no Proposed data to access.. /// - internal static string DataRow_NoProposedData - { - get - { + internal static string DataRow_NoProposedData { + get { return ResourceManager.GetString("DataRow_NoProposedData", resourceCulture); } } - + /// /// Looks up a localized string similar to The row doesn't belong to the same DataSet as this relation.. /// - internal static string DataRow_NotInTheDataSet - { - get - { + internal static string DataRow_NotInTheDataSet { + get { return ResourceManager.GetString("DataRow_NotInTheDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot perform this operation on a row not in the table.. /// - internal static string DataRow_NotInTheTable - { - get - { + internal static string DataRow_NotInTheTable { + get { return ResourceManager.GetString("DataRow_NotInTheTable", resourceCulture); } } - + /// /// Looks up a localized string similar to There is no row at position {0}.. /// - internal static string DataRow_OutOfRange - { - get - { + internal static string DataRow_OutOfRange { + get { return ResourceManager.GetString("DataRow_OutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to This relation and child row don't belong to same DataSet.. /// - internal static string DataRow_ParentRowNotInTheDataSet - { - get - { + internal static string DataRow_ParentRowNotInTheDataSet { + get { return ResourceManager.GetString("DataRow_ParentRowNotInTheDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to This row has been removed from a table and does not have any data. BeginEdit() will allow creation of new data in this row.. /// - internal static string DataRow_RemovedFromTheTable - { - get - { + internal static string DataRow_RemovedFromTheTable { + get { return ResourceManager.GetString("DataRow_RemovedFromTheTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Values are missing in the rowOrder sequence for table '{0}'.. /// - internal static string DataRow_RowInsertMissing - { - get - { + internal static string DataRow_RowInsertMissing { + get { return ResourceManager.GetString("DataRow_RowInsertMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to The row insert position {0} is invalid.. /// - internal static string DataRow_RowInsertOutOfRange - { - get - { + internal static string DataRow_RowInsertOutOfRange { + get { return ResourceManager.GetString("DataRow_RowInsertOutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to The rowOrder value={0} has been found twice for table named '{1}'.. /// - internal static string DataRow_RowInsertTwice - { - get - { + internal static string DataRow_RowInsertTwice { + get { return ResourceManager.GetString("DataRow_RowInsertTwice", resourceCulture); } } - + /// /// Looks up a localized string similar to The given DataRow is not in the current DataRowCollection.. /// - internal static string DataRow_RowOutOfRange - { - get - { + internal static string DataRow_RowOutOfRange { + get { return ResourceManager.GetString("DataRow_RowOutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Input array is longer than the number of columns in this table.. /// - internal static string DataRow_ValuesArrayLength - { - get - { + internal static string DataRow_ValuesArrayLength { + get { return ResourceManager.GetString("DataRow_ValuesArrayLength", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} is neither a DataColumn nor a DataRelation for table {1}.. /// - internal static string DataROWView_PropertyNotFound - { - get - { + internal static string DataROWView_PropertyNotFound { + get { return ResourceManager.GetString("DataROWView_PropertyNotFound", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change CaseSensitive or Locale property. This change would lead to at least one DataRelation or Constraint to have different Locale or CaseSensitive settings between its related tables.. /// - internal static string DataSet_CannotChangeCaseLocale - { - get - { + internal static string DataSet_CannotChangeCaseLocale { + get { return ResourceManager.GetString("DataSet_CannotChangeCaseLocale", resourceCulture); } } - + /// /// Looks up a localized string similar to SchemaSerializationMode property can be set only if it is overridden by derived DataSet.. /// - internal static string DataSet_CannotChangeSchemaSerializationMode - { - get - { + internal static string DataSet_CannotChangeSchemaSerializationMode { + get { return ResourceManager.GetString("DataSet_CannotChangeSchemaSerializationMode", resourceCulture); } } - + /// /// Looks up a localized string similar to Constraint Exception.. /// - internal static string DataSet_DefaultConstraintException - { - get - { + internal static string DataSet_DefaultConstraintException { + get { return ResourceManager.GetString("DataSet_DefaultConstraintException", resourceCulture); } } - + /// /// Looks up a localized string similar to Data Exception.. /// - internal static string DataSet_DefaultDataException - { - get - { + internal static string DataSet_DefaultDataException { + get { return ResourceManager.GetString("DataSet_DefaultDataException", resourceCulture); } } - + /// /// Looks up a localized string similar to Deleted rows inaccessible.. /// - internal static string DataSet_DefaultDeletedRowInaccessibleException - { - get - { + internal static string DataSet_DefaultDeletedRowInaccessibleException { + get { return ResourceManager.GetString("DataSet_DefaultDeletedRowInaccessibleException", resourceCulture); } } - + /// /// Looks up a localized string similar to Duplicate name not allowed.. /// - internal static string DataSet_DefaultDuplicateNameException - { - get - { + internal static string DataSet_DefaultDuplicateNameException { + get { return ResourceManager.GetString("DataSet_DefaultDuplicateNameException", resourceCulture); } } - + /// /// Looks up a localized string similar to Operation not supported in the RowChanging event.. /// - internal static string DataSet_DefaultInRowChangingEventException - { - get - { + internal static string DataSet_DefaultInRowChangingEventException { + get { return ResourceManager.GetString("DataSet_DefaultInRowChangingEventException", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid constraint.. /// - internal static string DataSet_DefaultInvalidConstraintException - { - get - { + internal static string DataSet_DefaultInvalidConstraintException { + get { return ResourceManager.GetString("DataSet_DefaultInvalidConstraintException", resourceCulture); } } - + /// /// Looks up a localized string similar to Missing primary key.. /// - internal static string DataSet_DefaultMissingPrimaryKeyException - { - get - { + internal static string DataSet_DefaultMissingPrimaryKeyException { + get { return ResourceManager.GetString("DataSet_DefaultMissingPrimaryKeyException", resourceCulture); } } - + /// /// Looks up a localized string similar to Null not allowed.. /// - internal static string DataSet_DefaultNoNullAllowedException - { - get - { + internal static string DataSet_DefaultNoNullAllowedException { + get { return ResourceManager.GetString("DataSet_DefaultNoNullAllowedException", resourceCulture); } } - + /// /// Looks up a localized string similar to Column is marked read only.. /// - internal static string DataSet_DefaultReadOnlyException - { - get - { + internal static string DataSet_DefaultReadOnlyException { + get { return ResourceManager.GetString("DataSet_DefaultReadOnlyException", resourceCulture); } } - + /// /// Looks up a localized string similar to Row not found in table.. /// - internal static string DataSet_DefaultRowNotInTableException - { - get - { + internal static string DataSet_DefaultRowNotInTableException { + get { return ResourceManager.GetString("DataSet_DefaultRowNotInTableException", resourceCulture); } } - + /// /// Looks up a localized string similar to Version not found.. /// - internal static string DataSet_DefaultVersionNotFoundException - { - get - { + internal static string DataSet_DefaultVersionNotFoundException { + get { return ResourceManager.GetString("DataSet_DefaultVersionNotFoundException", resourceCulture); } } - + /// /// Looks up a localized string similar to The name '{0}' is invalid. A DataSet cannot have the same name of the DataTable.. /// - internal static string DataSet_SetDataSetNameConflicting - { - get - { + internal static string DataSet_SetDataSetNameConflicting { + get { return ResourceManager.GetString("DataSet_SetDataSetNameConflicting", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change the name of the DataSet to an empty string.. /// - internal static string DataSet_SetNameToEmpty - { - get - { + internal static string DataSet_SetNameToEmpty { + get { return ResourceManager.GetString("DataSet_SetNameToEmpty", resourceCulture); } } - + /// /// Looks up a localized string similar to The schema namespace is invalid. Please use this one instead: {0}.. /// - internal static string DataSet_UnsupportedSchema - { - get - { + internal static string DataSet_UnsupportedSchema { + get { return ResourceManager.GetString("DataSet_UnsupportedSchema", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether comparing strings within the DataSet is case sensitive.. /// - internal static string DataSetCaseSensitiveDescr - { - get - { + internal static string DataSetCaseSensitiveDescr { + get { return ResourceManager.GetString("DataSetCaseSensitiveDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to The name of this DataSet.. /// - internal static string DataSetDataSetNameDescr - { - get - { + internal static string DataSetDataSetNameDescr { + get { return ResourceManager.GetString("DataSetDataSetNameDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates a custom "view" of the data contained by the DataSet. This view allows filtering, searching, and navigating through the custom data view.. /// - internal static string DataSetDefaultViewDescr - { - get - { + internal static string DataSetDefaultViewDescr { + get { return ResourceManager.GetString("DataSetDefaultViewDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Represents an in-memory cache of data.. /// - internal static string DataSetDescr - { - get - { + internal static string DataSetDescr { + get { return ResourceManager.GetString("DataSetDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether constraint rules are to be followed.. /// - internal static string DataSetEnforceConstraintsDescr - { - get - { + internal static string DataSetEnforceConstraintsDescr { + get { return ResourceManager.GetString("DataSetEnforceConstraintsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates that the DataSet has errors.. /// - internal static string DataSetHasErrorsDescr - { - get - { + internal static string DataSetHasErrorsDescr { + get { return ResourceManager.GetString("DataSetHasErrorsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs after Initialization is finished.. /// - internal static string DataSetInitializedDescr - { - get - { + internal static string DataSetInitializedDescr { + get { return ResourceManager.GetString("DataSetInitializedDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates a locale under which to compare strings within the DataSet.. /// - internal static string DataSetLocaleDescr - { - get - { + internal static string DataSetLocaleDescr { + get { return ResourceManager.GetString("DataSetLocaleDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs when it is not possible to merge schemas for two tables with the same name.. /// - internal static string DataSetMergeFailedDescr - { - get - { + internal static string DataSetMergeFailedDescr { + get { return ResourceManager.GetString("DataSetMergeFailedDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the XML uri namespace for the root element pointed at by this DataSet.. /// - internal static string DataSetNamespaceDescr - { - get - { + internal static string DataSetNamespaceDescr { + get { return ResourceManager.GetString("DataSetNamespaceDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the prefix of the namespace used for this DataSet.. /// - internal static string DataSetPrefixDescr - { - get - { + internal static string DataSetPrefixDescr { + get { return ResourceManager.GetString("DataSetPrefixDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to The collection that holds the relations for this DataSet.. /// - internal static string DataSetRelationsDescr - { - get - { + internal static string DataSetRelationsDescr { + get { return ResourceManager.GetString("DataSetRelationsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to The collection that holds the tables for this DataSet.. /// - internal static string DataSetTablesDescr - { - get - { + internal static string DataSetTablesDescr { + get { return ResourceManager.GetString("DataSetTablesDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid usage of aggregate function {0}() and Type: {1}.. /// - internal static string DataStorage_AggregateException - { - get - { + internal static string DataStorage_AggregateException { + get { return ResourceManager.GetString("DataStorage_AggregateException", resourceCulture); } } - + /// /// Looks up a localized string similar to Type '{0}' does not implement IComparable interface. Comparison cannot be done.. /// - internal static string DataStorage_IComparableNotDefined - { - get - { + internal static string DataStorage_IComparableNotDefined { + get { return ResourceManager.GetString("DataStorage_IComparableNotDefined", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid storage type: {0}.. /// - internal static string DataStorage_InvalidStorageType - { - get - { + internal static string DataStorage_InvalidStorageType { + get { return ResourceManager.GetString("DataStorage_InvalidStorageType", resourceCulture); } } - + /// /// Looks up a localized string similar to The DataSet Xml persistency does not support the value '{0}' as Char value, please use Byte storage instead.. /// - internal static string DataStorage_ProblematicChars - { - get - { + internal static string DataStorage_ProblematicChars { + get { return ResourceManager.GetString("DataStorage_ProblematicChars", resourceCulture); } } - + /// /// Looks up a localized string similar to Type of value has a mismatch with column type. /// - internal static string DataStorage_SetInvalidDataType - { - get - { + internal static string DataStorage_SetInvalidDataType { + get { return ResourceManager.GetString("DataStorage_SetInvalidDataType", resourceCulture); } } - + /// /// Looks up a localized string similar to DataTable already belongs to another DataSet.. /// - internal static string DataTable_AlreadyInOtherDataSet - { - get - { + internal static string DataTable_AlreadyInOtherDataSet { + get { return ResourceManager.GetString("DataTable_AlreadyInOtherDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to DataTable already belongs to this DataSet.. /// - internal static string DataTable_AlreadyInTheDataSet - { - get - { + internal static string DataTable_AlreadyInTheDataSet { + get { return ResourceManager.GetString("DataTable_AlreadyInTheDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add a nested relation or an element column to a table containing a SimpleContent column.. /// - internal static string DataTable_CannotAddToSimpleContent - { - get - { + internal static string DataTable_CannotAddToSimpleContent { + get { return ResourceManager.GetString("DataTable_CannotAddToSimpleContent", resourceCulture); } } - + /// /// Looks up a localized string similar to This DataTable can only be remoted as part of DataSet. One or more Expression Columns has reference to other DataTable(s).. /// - internal static string DataTable_CanNotRemoteDataTable - { - get - { + internal static string DataTable_CanNotRemoteDataTable { + get { return ResourceManager.GetString("DataTable_CanNotRemoteDataTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot serialize the DataTable. A DataTable being used in one or more DataColumn expressions is not a descendant of current DataTable.. /// - internal static string DataTable_CanNotSerializeDataTableHierarchy - { - get - { + internal static string DataTable_CanNotSerializeDataTableHierarchy { + get { return ResourceManager.GetString("DataTable_CanNotSerializeDataTableHierarchy", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot serialize the DataTable. DataTable name is not set.. /// - internal static string DataTable_CanNotSerializeDataTableWithEmptyName - { - get - { + internal static string DataTable_CanNotSerializeDataTableWithEmptyName { + get { return ResourceManager.GetString("DataTable_CanNotSerializeDataTableWithEmptyName", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot have different remoting format property value for DataSet and DataTable.. /// - internal static string DataTable_CanNotSetRemotingFormat - { - get - { + internal static string DataTable_CanNotSetRemotingFormat { + get { return ResourceManager.GetString("DataTable_CanNotSetRemotingFormat", resourceCulture); } } - + /// /// Looks up a localized string similar to The name '{0}' is invalid. A DataTable cannot have the same name of the DataSet.. /// - internal static string DataTable_DatasetConflictingName - { - get - { + internal static string DataTable_DatasetConflictingName { + get { return ResourceManager.GetString("DataTable_DatasetConflictingName", resourceCulture); } } - + /// /// Looks up a localized string similar to A DataTable named '{0}' already belongs to this DataSet.. /// - internal static string DataTable_DuplicateName - { - get - { + internal static string DataTable_DuplicateName { + get { return ResourceManager.GetString("DataTable_DuplicateName", resourceCulture); } } - + /// /// Looks up a localized string similar to A DataTable named '{0}' with the same Namespace '{1}' already belongs to this DataSet.. /// - internal static string DataTable_DuplicateName2 - { - get - { + internal static string DataTable_DuplicateName2 { + get { return ResourceManager.GetString("DataTable_DuplicateName2", resourceCulture); } } - + /// /// Looks up a localized string similar to PrimaryKey columns do not belong to this table.. /// - internal static string DataTable_ForeignPrimaryKey - { - get - { + internal static string DataTable_ForeignPrimaryKey { + get { return ResourceManager.GetString("DataTable_ForeignPrimaryKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove table {0}, because it referenced in ForeignKeyConstraint {1}. Remove the constraint first.. /// - internal static string DataTable_InConstraint - { - get - { + internal static string DataTable_InConstraint { + get { return ResourceManager.GetString("DataTable_InConstraint", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove a table that has existing relations. Remove relations first.. /// - internal static string DataTable_InRelation - { - get - { + internal static string DataTable_InRelation { + get { return ResourceManager.GetString("DataTable_InRelation", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} isn't a valid Sort string entry.. /// - internal static string DataTable_InvalidSortString - { - get - { + internal static string DataTable_InvalidSortString { + get { return ResourceManager.GetString("DataTable_InvalidSortString", resourceCulture); } } - + /// /// Looks up a localized string similar to Table doesn't have a primary key.. /// - internal static string DataTable_MissingPrimaryKey - { - get - { + internal static string DataTable_MissingPrimaryKey { + get { return ResourceManager.GetString("DataTable_MissingPrimaryKey", resourceCulture); } } - + /// /// Looks up a localized string similar to DataTable already has a simple content column.. /// - internal static string DataTable_MultipleSimpleContentColumns - { - get - { + internal static string DataTable_MultipleSimpleContentColumns { + get { return ResourceManager.GetString("DataTable_MultipleSimpleContentColumns", resourceCulture); } } - + /// /// Looks up a localized string similar to TableName is required when it is part of a DataSet.. /// - internal static string DataTable_NoName - { - get - { + internal static string DataTable_NoName { + get { return ResourceManager.GetString("DataTable_NoName", resourceCulture); } } - + /// /// Looks up a localized string similar to Table {0} does not belong to this DataSet.. /// - internal static string DataTable_NotInTheDataSet - { - get - { + internal static string DataTable_NotInTheDataSet { + get { return ResourceManager.GetString("DataTable_NotInTheDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot find table {0}.. /// - internal static string DataTable_OutOfRange - { - get - { + internal static string DataTable_OutOfRange { + get { return ResourceManager.GetString("DataTable_OutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to The table ({0}) cannot be the child table to itself in a nested relation: the DataSet name conflicts with the table name.. /// - internal static string DataTable_SelfnestedDatasetConflictingName - { - get - { + internal static string DataTable_SelfnestedDatasetConflictingName { + get { return ResourceManager.GetString("DataTable_SelfnestedDatasetConflictingName", resourceCulture); } } - + /// /// Looks up a localized string similar to DataTable '{0}' does not match to any DataTable in source.. /// - internal static string DataTable_TableNotFound - { - get - { + internal static string DataTable_TableNotFound { + get { return ResourceManager.GetString("DataTable_TableNotFound", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether comparing strings within the table is case sensitive.. /// - internal static string DataTableCaseSensitiveDescr - { - get - { + internal static string DataTableCaseSensitiveDescr { + get { return ResourceManager.GetString("DataTableCaseSensitiveDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Returns the child relations for this table.. /// - internal static string DataTableChildRelationsDescr - { - get - { + internal static string DataTableChildRelationsDescr { + get { return ResourceManager.GetString("DataTableChildRelationsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs when a value has been changed for this column.. /// - internal static string DataTableColumnChangedDescr - { - get - { + internal static string DataTableColumnChangedDescr { + get { return ResourceManager.GetString("DataTableColumnChangedDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs when a value has been submitted for this column. The user can modify the proposed value and should throw an exception to cancel the edit.. /// - internal static string DataTableColumnChangingDescr - { - get - { + internal static string DataTableColumnChangingDescr { + get { return ResourceManager.GetString("DataTableColumnChangingDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to The collection that holds the columns for this table.. /// - internal static string DataTableColumnsDescr - { - get - { + internal static string DataTableColumnsDescr { + get { return ResourceManager.GetString("DataTableColumnsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to The collection that holds the constraints for this table.. /// - internal static string DataTableConstraintsDescr - { - get - { + internal static string DataTableConstraintsDescr { + get { return ResourceManager.GetString("DataTableConstraintsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the DataSet to which this table belongs.. /// - internal static string DataTableDataSetDescr - { - get - { + internal static string DataTableDataSetDescr { + get { return ResourceManager.GetString("DataTableDataSetDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to This is the default DataView for the table.. /// - internal static string DataTableDefaultViewDescr - { - get - { + internal static string DataTableDefaultViewDescr { + get { return ResourceManager.GetString("DataTableDefaultViewDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to The expression used to compute the data-bound value of this row.. /// - internal static string DataTableDisplayExpressionDescr - { - get - { + internal static string DataTableDisplayExpressionDescr { + get { return ResourceManager.GetString("DataTableDisplayExpressionDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Returns whether the table has errors.. /// - internal static string DataTableHasErrorsDescr - { - get - { + internal static string DataTableHasErrorsDescr { + get { return ResourceManager.GetString("DataTableHasErrorsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates a locale under which to compare strings within the table.. /// - internal static string DataTableLocaleDescr - { - get - { + internal static string DataTableLocaleDescr { + get { return ResourceManager.GetString("DataTableLocaleDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Individual columns mappings when this table mapping is matched.. /// - internal static string DataTableMapping_ColumnMappings - { - get - { + internal static string DataTableMapping_ColumnMappings { + get { return ResourceManager.GetString("DataTableMapping_ColumnMappings", resourceCulture); } } - + /// /// Looks up a localized string similar to DataTable.TableName. /// - internal static string DataTableMapping_DataSetTable - { - get - { + internal static string DataTableMapping_DataSetTable { + get { return ResourceManager.GetString("DataTableMapping_DataSetTable", resourceCulture); } } - + /// /// Looks up a localized string similar to The DataTableMapping source table name. This name is case sensitive.. /// - internal static string DataTableMapping_SourceTable - { - get - { + internal static string DataTableMapping_SourceTable { + get { return ResourceManager.GetString("DataTableMapping_SourceTable", resourceCulture); } } - + /// /// Looks up a localized string similar to The number of items in the collection. /// - internal static string DataTableMappings_Count - { - get - { + internal static string DataTableMappings_Count { + get { return ResourceManager.GetString("DataTableMappings_Count", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified DataTableMapping object. /// - internal static string DataTableMappings_Item - { - get - { + internal static string DataTableMappings_Item { + get { return ResourceManager.GetString("DataTableMappings_Item", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates an initial starting size for this table.. /// - internal static string DataTableMinimumCapacityDescr - { - get - { + internal static string DataTableMinimumCapacityDescr { + get { return ResourceManager.GetString("DataTableMinimumCapacityDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the XML uri namespace for the elements contained in this table.. /// - internal static string DataTableNamespaceDescr - { - get - { + internal static string DataTableNamespaceDescr { + get { return ResourceManager.GetString("DataTableNamespaceDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Returns the parent relations for this table.. /// - internal static string DataTableParentRelationsDescr - { - get - { + internal static string DataTableParentRelationsDescr { + get { return ResourceManager.GetString("DataTableParentRelationsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the Prefix of the namespace used for this table in XML representation.. /// - internal static string DataTablePrefixDescr - { - get - { + internal static string DataTablePrefixDescr { + get { return ResourceManager.GetString("DataTablePrefixDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the column(s) that represent the primary key for this table.. /// - internal static string DataTablePrimaryKeyDescr - { - get - { + internal static string DataTablePrimaryKeyDescr { + get { return ResourceManager.GetString("DataTablePrimaryKeyDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot create DataTableReader. Arguments contain null value.. /// - internal static string DataTableReader_ArgumentContainsNullValue - { - get - { + internal static string DataTableReader_ArgumentContainsNullValue { + get { return ResourceManager.GetString("DataTableReader_ArgumentContainsNullValue", resourceCulture); } } - + /// /// Looks up a localized string similar to DataTableReader Cannot be created. There is no DataTable in DataSet.. /// - internal static string DataTableReader_CannotCreateDataReaderOnEmptyDataSet - { - get - { + internal static string DataTableReader_CannotCreateDataReaderOnEmptyDataSet { + get { return ResourceManager.GetString("DataTableReader_CannotCreateDataReaderOnEmptyDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Current DataTable '{0}' is empty. There is no DataRow in DataTable.. /// - internal static string DataTableReader_DataTableCleared - { - get - { + internal static string DataTableReader_DataTableCleared { + get { return ResourceManager.GetString("DataTableReader_DataTableCleared", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot create DataTableReader. Argument is Empty.. /// - internal static string DataTableReader_DataTableReaderArgumentIsEmpty - { - get - { + internal static string DataTableReader_DataTableReaderArgumentIsEmpty { + get { return ResourceManager.GetString("DataTableReader_DataTableReaderArgumentIsEmpty", resourceCulture); } } - + /// /// Looks up a localized string similar to DataTableReader is invalid for current DataTable '{0}'.. /// - internal static string DataTableReader_InvalidDataTableReader - { - get - { + internal static string DataTableReader_InvalidDataTableReader { + get { return ResourceManager.GetString("DataTableReader_InvalidDataTableReader", resourceCulture); } } - + /// /// Looks up a localized string similar to Current DataRow is either in Deleted or Detached state.. /// - internal static string DataTableReader_InvalidRowInDataTableReader - { - get - { + internal static string DataTableReader_InvalidRowInDataTableReader { + get { return ResourceManager.GetString("DataTableReader_InvalidRowInDataTableReader", resourceCulture); } } - + /// /// Looks up a localized string similar to Schema of current DataTable '{0}' in DataTableReader has changed, DataTableReader is invalid.. /// - internal static string DataTableReader_SchemaInvalidDataTableReader - { - get - { + internal static string DataTableReader_SchemaInvalidDataTableReader { + get { return ResourceManager.GetString("DataTableReader_SchemaInvalidDataTableReader", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs after a row in the table has been successfully edited.. /// - internal static string DataTableRowChangedDescr - { - get - { + internal static string DataTableRowChangedDescr { + get { return ResourceManager.GetString("DataTableRowChangedDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs when the row is being changed so that the event handler can modify or cancel the change. The user can modify values in the row and should throw an exception to cancel the edit.. /// - internal static string DataTableRowChangingDescr - { - get - { + internal static string DataTableRowChangingDescr { + get { return ResourceManager.GetString("DataTableRowChangingDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs after a row in the table has been successfully deleted.. /// - internal static string DataTableRowDeletedDescr - { - get - { + internal static string DataTableRowDeletedDescr { + get { return ResourceManager.GetString("DataTableRowDeletedDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs when a row in the table marked for deletion. Throw an exception to cancel the deletion.. /// - internal static string DataTableRowDeletingDescr - { - get - { + internal static string DataTableRowDeletingDescr { + get { return ResourceManager.GetString("DataTableRowDeletingDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs after all rows in the table has been successfully cleared.. /// - internal static string DataTableRowsClearedDescr - { - get - { + internal static string DataTableRowsClearedDescr { + get { return ResourceManager.GetString("DataTableRowsClearedDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs prior to clearing all rows from the table.. /// - internal static string DataTableRowsClearingDescr - { - get - { + internal static string DataTableRowsClearingDescr { + get { return ResourceManager.GetString("DataTableRowsClearingDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the collection that holds the rows of data for this table.. /// - internal static string DataTableRowsDescr - { - get - { + internal static string DataTableRowsDescr { + get { return ResourceManager.GetString("DataTableRowsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs after a new DataRow has been instantiated.. /// - internal static string DataTableRowsNewRowDescr - { - get - { + internal static string DataTableRowsNewRowDescr { + get { return ResourceManager.GetString("DataTableRowsNewRowDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the name used to look up this table in the Tables collection of a DataSet.. /// - internal static string DataTableTableNameDescr - { - get - { + internal static string DataTableTableNameDescr { + get { return ResourceManager.GetString("DataTableTableNameDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot add external objects to this list.. /// - internal static string DataView_AddExternalObject - { - get - { + internal static string DataView_AddExternalObject { + get { return ResourceManager.GetString("DataView_AddExternalObject", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot call AddNew on a DataView where AllowNew is false.. /// - internal static string DataView_AddNewNotAllowNull - { - get - { + internal static string DataView_AddNewNotAllowNull { + get { return ResourceManager.GetString("DataView_AddNewNotAllowNull", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot bind to DataTable with no name.. /// - internal static string DataView_CanNotBindTable - { - get - { + internal static string DataView_CanNotBindTable { + get { return ResourceManager.GetString("DataView_CanNotBindTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot clear this list.. /// - internal static string DataView_CanNotClear - { - get - { + internal static string DataView_CanNotClear { + get { return ResourceManager.GetString("DataView_CanNotClear", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot delete on a DataSource where AllowDelete is false.. /// - internal static string DataView_CanNotDelete - { - get - { + internal static string DataView_CanNotDelete { + get { return ResourceManager.GetString("DataView_CanNotDelete", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot edit on a DataSource where AllowEdit is false.. /// - internal static string DataView_CanNotEdit - { - get - { + internal static string DataView_CanNotEdit { + get { return ResourceManager.GetString("DataView_CanNotEdit", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change DataSet property once it is set.. /// - internal static string DataView_CanNotSetDataSet - { - get - { + internal static string DataView_CanNotSetDataSet { + get { return ResourceManager.GetString("DataView_CanNotSetDataSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change Table property once it is set.. /// - internal static string DataView_CanNotSetTable - { - get - { + internal static string DataView_CanNotSetTable { + get { return ResourceManager.GetString("DataView_CanNotSetTable", resourceCulture); } } - + /// /// Looks up a localized string similar to DataTable must be set prior to using DataView.. /// - internal static string DataView_CanNotUse - { - get - { + internal static string DataView_CanNotUse { + get { return ResourceManager.GetString("DataView_CanNotUse", resourceCulture); } } - + /// /// Looks up a localized string similar to DataSet must be set prior to using DataViewManager.. /// - internal static string DataView_CanNotUseDataViewManager - { - get - { + internal static string DataView_CanNotUseDataViewManager { + get { return ResourceManager.GetString("DataView_CanNotUseDataViewManager", resourceCulture); } } - + /// /// Looks up a localized string similar to The relation is not parented to the table to which this DataView points.. /// - internal static string DataView_CreateChildView - { - get - { + internal static string DataView_CreateChildView { + get { return ResourceManager.GetString("DataView_CreateChildView", resourceCulture); } } - + /// /// Looks up a localized string similar to Index {0} is either negative or above rows count.. /// - internal static string DataView_GetElementIndex - { - get - { + internal static string DataView_GetElementIndex { + get { return ResourceManager.GetString("DataView_GetElementIndex", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot insert external objects to this list.. /// - internal static string DataView_InsertExternalObject - { - get - { + internal static string DataView_InsertExternalObject { + get { return ResourceManager.GetString("DataView_InsertExternalObject", resourceCulture); } } - + /// /// Looks up a localized string similar to DataView is not open.. /// - internal static string DataView_NotOpen - { - get - { + internal static string DataView_NotOpen { + get { return ResourceManager.GetString("DataView_NotOpen", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove objects not in the list.. /// - internal static string DataView_RemoveExternalObject - { - get - { + internal static string DataView_RemoveExternalObject { + get { return ResourceManager.GetString("DataView_RemoveExternalObject", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change DataSet on a DataViewManager that's already the default view for a DataSet.. /// - internal static string DataView_SetDataSetFailed - { - get - { + internal static string DataView_SetDataSetFailed { + get { return ResourceManager.GetString("DataView_SetDataSetFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set {0}.. /// - internal static string DataView_SetFailed - { - get - { + internal static string DataView_SetFailed { + get { return ResourceManager.GetString("DataView_SetFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set an object into this list.. /// - internal static string DataView_SetIListObject - { - get - { + internal static string DataView_SetIListObject { + get { return ResourceManager.GetString("DataView_SetIListObject", resourceCulture); } } - + /// /// Looks up a localized string similar to RowStateFilter cannot show ModifiedOriginals and ModifiedCurrents at the same time.. /// - internal static string DataView_SetRowStateFilter - { - get - { + internal static string DataView_SetRowStateFilter { + get { return ResourceManager.GetString("DataView_SetRowStateFilter", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot change Table property on a DefaultView or a DataView coming from a DataViewManager.. /// - internal static string DataView_SetTable - { - get - { + internal static string DataView_SetTable { + get { return ResourceManager.GetString("DataView_SetTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether this DataView and the user interface associated with it allows deletes.. /// - internal static string DataViewAllowDeleteDescr - { - get - { + internal static string DataViewAllowDeleteDescr { + get { return ResourceManager.GetString("DataViewAllowDeleteDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether this DataView and the user interface associated with it allows edits.. /// - internal static string DataViewAllowEditDescr - { - get - { + internal static string DataViewAllowEditDescr { + get { return ResourceManager.GetString("DataViewAllowEditDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether this DataView and the user interface associated with it allows new rows to be added.. /// - internal static string DataViewAllowNewDescr - { - get - { + internal static string DataViewAllowNewDescr { + get { return ResourceManager.GetString("DataViewAllowNewDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether to use the default sort if the Sort property is not set.. /// - internal static string DataViewApplyDefaultSortDescr - { - get - { + internal static string DataViewApplyDefaultSortDescr { + get { return ResourceManager.GetString("DataViewApplyDefaultSortDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Returns the number of items currently in this view.. /// - internal static string DataViewCountDescr - { - get - { + internal static string DataViewCountDescr { + get { return ResourceManager.GetString("DataViewCountDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to This returns a pointer to back to the DataViewManager that owns this DataSet (if any).. /// - internal static string DataViewDataViewManagerDescr - { - get - { + internal static string DataViewDataViewManagerDescr { + get { return ResourceManager.GetString("DataViewDataViewManagerDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether the view is open.. /// - internal static string DataViewIsOpenDescr - { - get - { + internal static string DataViewIsOpenDescr { + get { return ResourceManager.GetString("DataViewIsOpenDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates that the data returned by this DataView has somehow changed.. /// - internal static string DataViewListChangedDescr - { - get - { + internal static string DataViewListChangedDescr { + get { return ResourceManager.GetString("DataViewListChangedDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the source of data for this DataViewManager.. /// - internal static string DataViewManagerDataSetDescr - { - get - { + internal static string DataViewManagerDataSetDescr { + get { return ResourceManager.GetString("DataViewManagerDataSetDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the sorting/filtering/state settings for any table in the corresponding DataSet.. /// - internal static string DataViewManagerTableSettingsDescr - { - get - { + internal static string DataViewManagerTableSettingsDescr { + get { return ResourceManager.GetString("DataViewManagerTableSettingsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates an expression used to filter the data returned by this DataView.. /// - internal static string DataViewRowFilterDescr - { - get - { + internal static string DataViewRowFilterDescr { + get { return ResourceManager.GetString("DataViewRowFilterDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the versions of data returned by this DataView.. /// - internal static string DataViewRowStateFilterDescr - { - get - { + internal static string DataViewRowStateFilterDescr { + get { return ResourceManager.GetString("DataViewRowStateFilterDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the names of the column and the order in which data is returned by this DataView.. /// - internal static string DataViewSortDescr - { - get - { + internal static string DataViewSortDescr { + get { return ResourceManager.GetString("DataViewSortDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the table this DataView uses to get data.. /// - internal static string DataViewTableDescr - { - get - { + internal static string DataViewTableDescr { + get { return ResourceManager.GetString("DataViewTableDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Command text to execute.. /// - internal static string DbCommand_CommandText - { - get - { + internal static string DbCommand_CommandText { + get { return ResourceManager.GetString("DbCommand_CommandText", resourceCulture); } } - + /// /// Looks up a localized string similar to Time to wait for command to execute.. /// - internal static string DbCommand_CommandTimeout - { - get - { + internal static string DbCommand_CommandTimeout { + get { return ResourceManager.GetString("DbCommand_CommandTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to How to interpret the CommandText.. /// - internal static string DbCommand_CommandType - { - get - { + internal static string DbCommand_CommandType { + get { return ResourceManager.GetString("DbCommand_CommandType", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection used by the command.. /// - internal static string DbCommand_Connection - { - get - { + internal static string DbCommand_Connection { + get { return ResourceManager.GetString("DbCommand_Connection", resourceCulture); } } - + /// /// Looks up a localized string similar to The parameters collection.. /// - internal static string DbCommand_Parameters - { - get - { + internal static string DbCommand_Parameters { + get { return ResourceManager.GetString("DbCommand_Parameters", resourceCulture); } } - + /// /// Looks up a localized string similar to When records are affected by a given statement by the execution of the command.. /// - internal static string DbCommand_StatementCompleted - { - get - { + internal static string DbCommand_StatementCompleted { + get { return ResourceManager.GetString("DbCommand_StatementCompleted", resourceCulture); } } - + /// /// Looks up a localized string similar to The transaction used by the command.. /// - internal static string DbCommand_Transaction - { - get - { + internal static string DbCommand_Transaction { + get { return ResourceManager.GetString("DbCommand_Transaction", resourceCulture); } } - + /// /// Looks up a localized string similar to When used by a DataAdapter.Update, how command results are applied to the current DataRow.. /// - internal static string DbCommand_UpdatedRowSource - { - get - { + internal static string DbCommand_UpdatedRowSource { + get { return ResourceManager.GetString("DbCommand_UpdatedRowSource", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the position of the catalog name in a qualified table name in a text command.. /// - internal static string DbCommandBuilder_CatalogLocation - { - get - { + internal static string DbCommandBuilder_CatalogLocation { + get { return ResourceManager.GetString("DbCommandBuilder_CatalogLocation", resourceCulture); } } - + /// /// Looks up a localized string similar to The character that separates the catalog name from the rest of the identifier in a text command.. /// - internal static string DbCommandBuilder_CatalogSeparator - { - get - { + internal static string DbCommandBuilder_CatalogSeparator { + get { return ResourceManager.GetString("DbCommandBuilder_CatalogSeparator", resourceCulture); } } - + /// /// Looks up a localized string similar to How the where clause is auto-generated for the Update and Delete commands when not specified by the user.. /// - internal static string DbCommandBuilder_ConflictOption - { - get - { + internal static string DbCommandBuilder_ConflictOption { + get { return ResourceManager.GetString("DbCommandBuilder_ConflictOption", resourceCulture); } } - + /// /// Looks up a localized string similar to The DataAdapter for which to automatically generate Commands.. /// - internal static string DbCommandBuilder_DataAdapter - { - get - { + internal static string DbCommandBuilder_DataAdapter { + get { return ResourceManager.GetString("DbCommandBuilder_DataAdapter", resourceCulture); } } - + /// /// Looks up a localized string similar to The prefix string wrapped around sql objects.. /// - internal static string DbCommandBuilder_QuotePrefix - { - get - { + internal static string DbCommandBuilder_QuotePrefix { + get { return ResourceManager.GetString("DbCommandBuilder_QuotePrefix", resourceCulture); } } - + /// /// Looks up a localized string similar to The suffix string wrapped around sql objects.. /// - internal static string DbCommandBuilder_QuoteSuffix - { - get - { + internal static string DbCommandBuilder_QuoteSuffix { + get { return ResourceManager.GetString("DbCommandBuilder_QuoteSuffix", resourceCulture); } } - + /// /// Looks up a localized string similar to Use schema from DataTable or the SelectCommand.. /// - internal static string DbCommandBuilder_SchemaLocation - { - get - { + internal static string DbCommandBuilder_SchemaLocation { + get { return ResourceManager.GetString("DbCommandBuilder_SchemaLocation", resourceCulture); } } - + /// /// Looks up a localized string similar to The character that separates the schema name from the rest of the identifier in a text command.. /// - internal static string DbCommandBuilder_SchemaSeparator - { - get - { + internal static string DbCommandBuilder_SchemaSeparator { + get { return ResourceManager.GetString("DbCommandBuilder_SchemaSeparator", resourceCulture); } } - + /// /// Looks up a localized string similar to How the set clause is auto-generated for the Update command when not specified by the user.. /// - internal static string DbCommandBuilder_SetAllValues - { - get - { + internal static string DbCommandBuilder_SetAllValues { + get { return ResourceManager.GetString("DbCommandBuilder_SetAllValues", resourceCulture); } } - + /// /// Looks up a localized string similar to Event triggered when messages arrive from the DataSource.. /// - internal static string DbConnection_InfoMessage - { - get - { + internal static string DbConnection_InfoMessage { + get { return ResourceManager.GetString("DbConnection_InfoMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to The ConnectionState indicating whether the connection is open or closed.. /// - internal static string DbConnection_State - { - get - { + internal static string DbConnection_State { + get { return ResourceManager.GetString("DbConnection_State", resourceCulture); } } - + /// /// Looks up a localized string similar to Event triggered when the connection changes state.. /// - internal static string DbConnection_StateChange - { - get - { + internal static string DbConnection_StateChange { + get { return ResourceManager.GetString("DbConnection_StateChange", resourceCulture); } } - + /// /// Looks up a localized string similar to When true, indicates that managed connection pooling should be used.. /// - internal static string DbConnectionString_AdoNetPooler - { - get - { + internal static string DbConnectionString_AdoNetPooler { + get { return ResourceManager.GetString("DbConnectionString_AdoNetPooler", resourceCulture); } } - + /// /// Looks up a localized string similar to Declares the application workload type when connecting to a server.. /// - internal static string DbConnectionString_ApplicationIntent - { - get - { + internal static string DbConnectionString_ApplicationIntent { + get { return ResourceManager.GetString("DbConnectionString_ApplicationIntent", resourceCulture); } } - + /// /// Looks up a localized string similar to The name of the application.. /// - internal static string DbConnectionString_ApplicationName - { - get - { + internal static string DbConnectionString_ApplicationName { + get { return ResourceManager.GetString("DbConnectionString_ApplicationName", resourceCulture); } } - + /// /// Looks up a localized string similar to When true, enables usage of the Asynchronous functionality in the .NET Framework Data Provider.. /// - internal static string DbConnectionString_AsynchronousProcessing - { - get - { + internal static string DbConnectionString_AsynchronousProcessing { + get { return ResourceManager.GetString("DbConnectionString_AsynchronousProcessing", resourceCulture); } } - + /// /// Looks up a localized string similar to The name of the primary file, including the full path name, of an attachable database.. /// - internal static string DbConnectionString_AttachDBFilename - { - get - { + internal static string DbConnectionString_AttachDBFilename { + get { return ResourceManager.GetString("DbConnectionString_AttachDBFilename", resourceCulture); } } - + /// /// Looks up a localized string similar to Specifies the method of authenticating with SQL Server.. /// - internal static string DbConnectionString_Authentication - { - get - { + internal static string DbConnectionString_Authentication { + get { return ResourceManager.GetString("DbConnectionString_Authentication", resourceCulture); } } - + /// /// Looks up a localized string similar to Specified client certificate for authenticating with SQL Server. . /// - internal static string DbConnectionString_Certificate - { - get - { + internal static string DbConnectionString_Certificate { + get { return ResourceManager.GetString("DbConnectionString_Certificate", resourceCulture); } } - + /// /// Looks up a localized string similar to When true, indicates the connection state is reset when removed from the pool.. /// - internal static string DbConnectionString_ConnectionReset - { - get - { + internal static string DbConnectionString_ConnectionReset { + get { return ResourceManager.GetString("DbConnectionString_ConnectionReset", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection string used to connect to the Data Source.. /// - internal static string DbConnectionString_ConnectionString - { - get - { + internal static string DbConnectionString_ConnectionString { + get { return ResourceManager.GetString("DbConnectionString_ConnectionString", resourceCulture); } } - + /// /// Looks up a localized string similar to Number of attempts to restore connection.. /// - internal static string DbConnectionString_ConnectRetryCount - { - get - { + internal static string DbConnectionString_ConnectRetryCount { + get { return ResourceManager.GetString("DbConnectionString_ConnectRetryCount", resourceCulture); } } - + /// /// Looks up a localized string similar to Delay between attempts to restore connection.. /// - internal static string DbConnectionString_ConnectRetryInterval - { - get - { + internal static string DbConnectionString_ConnectRetryInterval { + get { return ResourceManager.GetString("DbConnectionString_ConnectRetryInterval", resourceCulture); } } - + /// /// Looks up a localized string similar to The length of time (in seconds) to wait for a connection to the server before terminating the attempt and generating an error.. /// - internal static string DbConnectionString_ConnectTimeout - { - get - { + internal static string DbConnectionString_ConnectTimeout { + get { return ResourceManager.GetString("DbConnectionString_ConnectTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to When true, indicates the connection should be from the Sql Server context. Available only when running in the Sql Server process.. /// - internal static string DbConnectionString_ContextConnection - { - get - { + internal static string DbConnectionString_ContextConnection { + get { return ResourceManager.GetString("DbConnectionString_ContextConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to The SQL Server Language record name.. /// - internal static string DbConnectionString_CurrentLanguage - { - get - { + internal static string DbConnectionString_CurrentLanguage { + get { return ResourceManager.GetString("DbConnectionString_CurrentLanguage", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the name of the data source to connect to.. /// - internal static string DbConnectionString_DataSource - { - get - { + internal static string DbConnectionString_DataSource { + get { return ResourceManager.GetString("DbConnectionString_DataSource", resourceCulture); } } - + /// /// Looks up a localized string similar to The name of the ODBC Driver to use when connecting to the Data Source.. /// - internal static string DbConnectionString_Driver - { - get - { + internal static string DbConnectionString_Driver { + get { return ResourceManager.GetString("DbConnectionString_Driver", resourceCulture); } } - + /// /// Looks up a localized string similar to The DSN to use when connecting to the Data Source.. /// - internal static string DbConnectionString_DSN - { - get - { + internal static string DbConnectionString_DSN { + get { return ResourceManager.GetString("DbConnectionString_DSN", resourceCulture); } } - + /// /// Looks up a localized string similar to When true, SQL Server uses SSL encryption for all data sent between the client and server if the server has a certificate installed.. /// - internal static string DbConnectionString_Encrypt - { - get - { + internal static string DbConnectionString_Encrypt { + get { return ResourceManager.GetString("DbConnectionString_Encrypt", resourceCulture); } } - + /// /// Looks up a localized string similar to Sessions in a Component Services (or MTS, if you are using Microsoft Windows NT) environment should automatically be enlisted in a global transaction where required.. /// - internal static string DbConnectionString_Enlist - { - get - { + internal static string DbConnectionString_Enlist { + get { return ResourceManager.GetString("DbConnectionString_Enlist", resourceCulture); } } - + /// /// Looks up a localized string similar to The name or network address of the instance of SQL Server that acts as a failover partner.. /// - internal static string DbConnectionString_FailoverPartner - { - get - { + internal static string DbConnectionString_FailoverPartner { + get { return ResourceManager.GetString("DbConnectionString_FailoverPartner", resourceCulture); } } - + /// /// Looks up a localized string similar to The UDL file to use when connecting to the Data Source.. /// - internal static string DbConnectionString_FileName - { - get - { + internal static string DbConnectionString_FileName { + get { return ResourceManager.GetString("DbConnectionString_FileName", resourceCulture); } } - + /// /// Looks up a localized string similar to The name of the initial catalog or database in the data source.. /// - internal static string DbConnectionString_InitialCatalog - { - get - { + internal static string DbConnectionString_InitialCatalog { + get { return ResourceManager.GetString("DbConnectionString_InitialCatalog", resourceCulture); } } - + /// /// Looks up a localized string similar to Whether the connection is to be a secure connection or not.. /// - internal static string DbConnectionString_IntegratedSecurity - { - get - { + internal static string DbConnectionString_IntegratedSecurity { + get { return ResourceManager.GetString("DbConnectionString_IntegratedSecurity", resourceCulture); } } - + /// /// Looks up a localized string similar to The minimum amount of time (in seconds) for this connection to live in the pool before being destroyed.. /// - internal static string DbConnectionString_LoadBalanceTimeout - { - get - { + internal static string DbConnectionString_LoadBalanceTimeout { + get { return ResourceManager.GetString("DbConnectionString_LoadBalanceTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to The maximum number of connections allowed in the pool.. /// - internal static string DbConnectionString_MaxPoolSize - { - get - { + internal static string DbConnectionString_MaxPoolSize { + get { return ResourceManager.GetString("DbConnectionString_MaxPoolSize", resourceCulture); } } - + /// /// Looks up a localized string similar to The minimum number of connections allowed in the pool.. /// - internal static string DbConnectionString_MinPoolSize - { - get - { + internal static string DbConnectionString_MinPoolSize { + get { return ResourceManager.GetString("DbConnectionString_MinPoolSize", resourceCulture); } } - + /// /// Looks up a localized string similar to When true, multiple result sets can be returned and read from one connection.. /// - internal static string DbConnectionString_MultipleActiveResultSets - { - get - { + internal static string DbConnectionString_MultipleActiveResultSets { + get { return ResourceManager.GetString("DbConnectionString_MultipleActiveResultSets", resourceCulture); } } - + /// /// Looks up a localized string similar to If your application is connecting to a high-availability, disaster recovery (AlwaysOn) availability group (AG) on different subnets, MultiSubnetFailover=Yes configures SqlConnection to provide faster detection of and connection to the (currently) active server.. /// - internal static string DbConnectionString_MultiSubnetFailover - { - get - { + internal static string DbConnectionString_MultiSubnetFailover { + get { return ResourceManager.GetString("DbConnectionString_MultiSubnetFailover", resourceCulture); } } - + /// /// Looks up a localized string similar to The network library used to establish a connection to an instance of SQL Server.. /// - internal static string DbConnectionString_NetworkLibrary - { - get - { + internal static string DbConnectionString_NetworkLibrary { + get { return ResourceManager.GetString("DbConnectionString_NetworkLibrary", resourceCulture); } } - + /// /// Looks up a localized string similar to Specifies which OLE DB Services to enable or disable with the OleDb Provider.. /// - internal static string DbConnectionString_OleDbServices - { - get - { + internal static string DbConnectionString_OleDbServices { + get { return ResourceManager.GetString("DbConnectionString_OleDbServices", resourceCulture); } } - + /// /// Looks up a localized string similar to Size in bytes of the network packets used to communicate with an instance of SQL Server.. /// - internal static string DbConnectionString_PacketSize - { - get - { + internal static string DbConnectionString_PacketSize { + get { return ResourceManager.GetString("DbConnectionString_PacketSize", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the password to be used when connecting to the data source.. /// - internal static string DbConnectionString_Password - { - get - { + internal static string DbConnectionString_Password { + get { return ResourceManager.GetString("DbConnectionString_Password", resourceCulture); } } - + /// /// Looks up a localized string similar to When false, security-sensitive information, such as the password, is not returned as part of the connection if the connection is open or has ever been in an open state.. /// - internal static string DbConnectionString_PersistSecurityInfo - { - get - { + internal static string DbConnectionString_PersistSecurityInfo { + get { return ResourceManager.GetString("DbConnectionString_PersistSecurityInfo", resourceCulture); } } - + /// /// Looks up a localized string similar to Defines the blocking period behavior for a connection pool.. /// - internal static string DbConnectionString_PoolBlockingPeriod - { - get - { + internal static string DbConnectionString_PoolBlockingPeriod { + get { return ResourceManager.GetString("DbConnectionString_PoolBlockingPeriod", resourceCulture); } } - + /// /// Looks up a localized string similar to When true, the connection object is drawn from the appropriate pool, or if necessary, is created and added to the appropriate pool.. /// - internal static string DbConnectionString_Pooling - { - get - { + internal static string DbConnectionString_Pooling { + get { return ResourceManager.GetString("DbConnectionString_Pooling", resourceCulture); } } - + /// /// Looks up a localized string similar to The name of the OLE DB Provider to use when connecting to the Data Source.. /// - internal static string DbConnectionString_Provider - { - get - { + internal static string DbConnectionString_Provider { + get { return ResourceManager.GetString("DbConnectionString_Provider", resourceCulture); } } - + /// /// Looks up a localized string similar to Used by SQL Server in Replication.. /// - internal static string DbConnectionString_Replication - { - get - { + internal static string DbConnectionString_Replication { + get { return ResourceManager.GetString("DbConnectionString_Replication", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates binding behavior of connection to a System.Transactions Transaction when enlisted.. /// - internal static string DbConnectionString_TransactionBinding - { - get - { + internal static string DbConnectionString_TransactionBinding { + get { return ResourceManager.GetString("DbConnectionString_TransactionBinding", resourceCulture); } } - + /// /// Looks up a localized string similar to If your application connects to different networks, TransparentNetworkIPResolution=Yes configures SqlConnection to provide transparent connection resolution to the currently active server, independently of the network IP topology.. /// - internal static string DbConnectionString_TransparentNetworkIPResolution - { - get - { + internal static string DbConnectionString_TransparentNetworkIPResolution { + get { return ResourceManager.GetString("DbConnectionString_TransparentNetworkIPResolution", resourceCulture); } } - + /// /// Looks up a localized string similar to When true (and encrypt=true), SQL Server uses SSL encryption for all data sent between the client and server without validating the server certificate.. /// - internal static string DbConnectionString_TrustServerCertificate - { - get - { + internal static string DbConnectionString_TrustServerCertificate { + get { return ResourceManager.GetString("DbConnectionString_TrustServerCertificate", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates which server type system the provider will expose through the DataReader.. /// - internal static string DbConnectionString_TypeSystemVersion - { - get - { + internal static string DbConnectionString_TypeSystemVersion { + get { return ResourceManager.GetString("DbConnectionString_TypeSystemVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the user ID to be used when connecting to the data source.. /// - internal static string DbConnectionString_UserID - { - get - { + internal static string DbConnectionString_UserID { + get { return ResourceManager.GetString("DbConnectionString_UserID", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates whether the connection will be re-directed to connect to an instance of SQL Server running under the user's account.. /// - internal static string DbConnectionString_UserInstance - { - get - { + internal static string DbConnectionString_UserInstance { + get { return ResourceManager.GetString("DbConnectionString_UserInstance", resourceCulture); } } - + /// /// Looks up a localized string similar to The name of the workstation connecting to SQL Server.. /// - internal static string DbConnectionString_WorkstationID - { - get - { + internal static string DbConnectionString_WorkstationID { + get { return ResourceManager.GetString("DbConnectionString_WorkstationID", resourceCulture); } } - + /// /// Looks up a localized string similar to Used during Update for deleted rows in DataSet.. /// - internal static string DbDataAdapter_DeleteCommand - { - get - { + internal static string DbDataAdapter_DeleteCommand { + get { return ResourceManager.GetString("DbDataAdapter_DeleteCommand", resourceCulture); } } - + /// /// Looks up a localized string similar to Used during Update for new rows in DataSet.. /// - internal static string DbDataAdapter_InsertCommand - { - get - { + internal static string DbDataAdapter_InsertCommand { + get { return ResourceManager.GetString("DbDataAdapter_InsertCommand", resourceCulture); } } - + /// /// Looks up a localized string similar to Event triggered before every DataRow during Update.. /// - internal static string DbDataAdapter_RowUpdated - { - get - { + internal static string DbDataAdapter_RowUpdated { + get { return ResourceManager.GetString("DbDataAdapter_RowUpdated", resourceCulture); } } - + /// /// Looks up a localized string similar to Event triggered after every DataRow during Update.. /// - internal static string DbDataAdapter_RowUpdating - { - get - { + internal static string DbDataAdapter_RowUpdating { + get { return ResourceManager.GetString("DbDataAdapter_RowUpdating", resourceCulture); } } - + /// /// Looks up a localized string similar to Used during Fill/FillSchema.. /// - internal static string DbDataAdapter_SelectCommand - { - get - { + internal static string DbDataAdapter_SelectCommand { + get { return ResourceManager.GetString("DbDataAdapter_SelectCommand", resourceCulture); } } - + /// /// Looks up a localized string similar to Number of rows to batch together before executing against the data source.. /// - internal static string DbDataAdapter_UpdateBatchSize - { - get - { + internal static string DbDataAdapter_UpdateBatchSize { + get { return ResourceManager.GetString("DbDataAdapter_UpdateBatchSize", resourceCulture); } } - + /// /// Looks up a localized string similar to Used during Update for modified rows in DataSet.. /// - internal static string DbDataAdapter_UpdateCommand - { - get - { + internal static string DbDataAdapter_UpdateCommand { + get { return ResourceManager.GetString("DbDataAdapter_UpdateCommand", resourceCulture); } } - + /// /// Looks up a localized string similar to Only necessary to set for decimal and numeric parameters when using with Prepare, FillSchema and CommandBuilder scenarios.. /// - internal static string DbDataParameter_Precision - { - get - { + internal static string DbDataParameter_Precision { + get { return ResourceManager.GetString("DbDataParameter_Precision", resourceCulture); } } - + /// /// Looks up a localized string similar to Only necessary to set for decimal and numeric parameters when using with Prepare, FillSchema and CommandBuilder scenarios.. /// - internal static string DbDataParameter_Scale - { - get - { + internal static string DbDataParameter_Scale { + get { return ResourceManager.GetString("DbDataParameter_Scale", resourceCulture); } } - + /// /// Looks up a localized string similar to The parameter generic type.. /// - internal static string DbParameter_DbType - { - get - { + internal static string DbParameter_DbType { + get { return ResourceManager.GetString("DbParameter_DbType", resourceCulture); } } - + /// /// Looks up a localized string similar to Input, output, or bidirectional parameter.. /// - internal static string DbParameter_Direction - { - get - { + internal static string DbParameter_Direction { + get { return ResourceManager.GetString("DbParameter_Direction", resourceCulture); } } - + /// /// Looks up a localized string similar to a design-time property used for strongly typed code-generation.. /// - internal static string DbParameter_IsNullable - { - get - { + internal static string DbParameter_IsNullable { + get { return ResourceManager.GetString("DbParameter_IsNullable", resourceCulture); } } - + /// /// Looks up a localized string similar to Offset in variable length data types.. /// - internal static string DbParameter_Offset - { - get - { + internal static string DbParameter_Offset { + get { return ResourceManager.GetString("DbParameter_Offset", resourceCulture); } } - + /// /// Looks up a localized string similar to Name of the parameter.. /// - internal static string DbParameter_ParameterName - { - get - { + internal static string DbParameter_ParameterName { + get { return ResourceManager.GetString("DbParameter_ParameterName", resourceCulture); } } - + /// /// Looks up a localized string similar to Size of variable length data types (string & arrays).. /// - internal static string DbParameter_Size - { - get - { + internal static string DbParameter_Size { + get { return ResourceManager.GetString("DbParameter_Size", resourceCulture); } } - + /// /// Looks up a localized string similar to When used by a DataAdapter.Update, the source column name that is used to find the DataSetColumn name in the ColumnMappings. This is to copy a value between the parameter and a data row.. /// - internal static string DbParameter_SourceColumn - { - get - { + internal static string DbParameter_SourceColumn { + get { return ResourceManager.GetString("DbParameter_SourceColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to When used by DataAdapter.Update, the parameter value is changed from DBNull.Value into (Int32)1 or (Int32)0 if non-null.. /// - internal static string DbParameter_SourceColumnNullMapping - { - get - { + internal static string DbParameter_SourceColumnNullMapping { + get { return ResourceManager.GetString("DbParameter_SourceColumnNullMapping", resourceCulture); } } - + /// /// Looks up a localized string similar to When used by a DataAdapter.Update (UpdateCommand only), the version of the DataRow value that is used to update the data source.. /// - internal static string DbParameter_SourceVersion - { - get - { + internal static string DbParameter_SourceVersion { + get { return ResourceManager.GetString("DbParameter_SourceVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to Value of the parameter.. /// - internal static string DbParameter_Value - { - get - { + internal static string DbParameter_Value { + get { return ResourceManager.GetString("DbParameter_Value", resourceCulture); } } - + /// /// Looks up a localized string similar to How are the Insert/Update/DeleteCommands generated when not set by the user.. /// - internal static string DbTable_ConflictDetection - { - get - { + internal static string DbTable_ConflictDetection { + get { return ResourceManager.GetString("DbTable_ConflictDetection", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection used if the the Select/Insert/Update/DeleteCommands do not already have a connection.. /// - internal static string DbTable_Connection - { - get - { + internal static string DbTable_Connection { + get { return ResourceManager.GetString("DbTable_Connection", resourceCulture); } } - + /// /// Looks up a localized string similar to Used during Update for deleted rows in the DataTable.. /// - internal static string DbTable_DeleteCommand - { - get - { + internal static string DbTable_DeleteCommand { + get { return ResourceManager.GetString("DbTable_DeleteCommand", resourceCulture); } } - + /// /// Looks up a localized string similar to Used during Update for new rows in the DataTable.. /// - internal static string DbTable_InsertCommand - { - get - { + internal static string DbTable_InsertCommand { + get { return ResourceManager.GetString("DbTable_InsertCommand", resourceCulture); } } - + /// /// Looks up a localized string similar to Should Fill return provider specific values or common CLSCompliant values.. /// - internal static string DbTable_ReturnProviderSpecificTypes - { - get - { + internal static string DbTable_ReturnProviderSpecificTypes { + get { return ResourceManager.GetString("DbTable_ReturnProviderSpecificTypes", resourceCulture); } } - + /// /// Looks up a localized string similar to Used during Fill.. /// - internal static string DbTable_SelectCommand - { - get - { + internal static string DbTable_SelectCommand { + get { return ResourceManager.GetString("DbTable_SelectCommand", resourceCulture); } } - + /// /// Looks up a localized string similar to How to map source table to DataTable.. /// - internal static string DbTable_TableMapping - { - get - { + internal static string DbTable_TableMapping { + get { return ResourceManager.GetString("DbTable_TableMapping", resourceCulture); } } - + /// /// Looks up a localized string similar to Number of rows to batch together before executing against the data source.. /// - internal static string DbTable_UpdateBatchSize - { - get - { + internal static string DbTable_UpdateBatchSize { + get { return ResourceManager.GetString("DbTable_UpdateBatchSize", resourceCulture); } } - + /// /// Looks up a localized string similar to Used during Update for modified rows in the DataTable.. /// - internal static string DbTable_UpdateCommand - { - get - { + internal static string DbTable_UpdateCommand { + get { return ResourceManager.GetString("DbTable_UpdateCommand", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error occurred when retrying the download of the HGS root certificate after the initial request failed. Contact Customer Support Services.. /// - internal static string EnclaveRetrySleepInSecondsValueException - { - get - { + internal static string EnclaveRetrySleepInSecondsValueException { + get { return ResourceManager.GetString("EnclaveRetrySleepInSecondsValueException", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Unable to invalidate the requested enclave session, because it does not exist in the cache. Contact Customer Support Services.. /// - internal static string EnclaveSessionInvalidationFailed - { - get - { + internal static string EnclaveSessionInvalidationFailed { + get { return ResourceManager.GetString("EnclaveSessionInvalidationFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to The validation of an attestation token failed. The token received from SQL Server is expired. Contact Customer Support Services.. /// - internal static string ExpiredAttestationToken - { - get - { + internal static string ExpiredAttestationToken { + get { return ResourceManager.GetString("ExpiredAttestationToken", resourceCulture); } } - + /// /// Looks up a localized string similar to Syntax error in aggregate argument: Expecting a single column argument with possible 'Child' qualifier.. /// - internal static string Expr_AggregateArgument - { - get - { + internal static string Expr_AggregateArgument { + get { return ResourceManager.GetString("Expr_AggregateArgument", resourceCulture); } } - + /// /// Looks up a localized string similar to Unbound reference in the aggregate expression '{0}'.. /// - internal static string Expr_AggregateUnbound - { - get - { + internal static string Expr_AggregateUnbound { + get { return ResourceManager.GetString("Expr_AggregateUnbound", resourceCulture); } } - + /// /// Looks up a localized string similar to Operator '{0}' is ambiguous on operands of type '{1}' and '{2}'. Cannot mix signed and unsigned types. Please use explicit Convert() function.. /// - internal static string Expr_AmbiguousBinop - { - get - { + internal static string Expr_AmbiguousBinop { + get { return ResourceManager.GetString("Expr_AmbiguousBinop", resourceCulture); } } - + /// /// Looks up a localized string similar to {0}() argument is out of range.. /// - internal static string Expr_ArgumentOutofRange - { - get - { + internal static string Expr_ArgumentOutofRange { + get { return ResourceManager.GetString("Expr_ArgumentOutofRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Type mismatch in function argument: {0}(), argument {1}, expected {2}.. /// - internal static string Expr_ArgumentType - { - get - { + internal static string Expr_ArgumentType { + get { return ResourceManager.GetString("Expr_ArgumentType", resourceCulture); } } - + /// /// Looks up a localized string similar to Type mismatch in function argument: {0}(), argument {1}, expected one of the Integer types.. /// - internal static string Expr_ArgumentTypeInteger - { - get - { + internal static string Expr_ArgumentTypeInteger { + get { return ResourceManager.GetString("Expr_ArgumentTypeInteger", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot find the parent relation '{0}'.. /// - internal static string Expr_BindFailure - { - get - { + internal static string Expr_BindFailure { + get { return ResourceManager.GetString("Expr_BindFailure", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot evaluate. Expression '{0}' is not an aggregate.. /// - internal static string Expr_ComputeNotAggregate - { - get - { + internal static string Expr_ComputeNotAggregate { + get { return ResourceManager.GetString("Expr_ComputeNotAggregate", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot convert from {0} to {1}.. /// - internal static string Expr_DatatypeConvertion - { - get - { + internal static string Expr_DatatypeConvertion { + get { return ResourceManager.GetString("Expr_DatatypeConvertion", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot convert value '{0}' to Type: {1}.. /// - internal static string Expr_DatavalueConvertion - { - get - { + internal static string Expr_DatavalueConvertion { + get { return ResourceManager.GetString("Expr_DatavalueConvertion", resourceCulture); } } - + /// /// Looks up a localized string similar to Divide by zero error encountered.. /// - internal static string Expr_DivideByZero - { - get - { + internal static string Expr_DivideByZero { + get { return ResourceManager.GetString("Expr_DivideByZero", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot evaluate non-constant expression without current row.. /// - internal static string Expr_EvalNoContext - { - get - { + internal static string Expr_EvalNoContext { + get { return ResourceManager.GetString("Expr_EvalNoContext", resourceCulture); } } - + /// /// Looks up a localized string similar to Expression is too complex.. /// - internal static string Expr_ExpressionTooComplex - { - get - { + internal static string Expr_ExpressionTooComplex { + get { return ResourceManager.GetString("Expr_ExpressionTooComplex", resourceCulture); } } - + /// /// Looks up a localized string similar to Unbound reference in the expression '{0}'.. /// - internal static string Expr_ExpressionUnbound - { - get - { + internal static string Expr_ExpressionUnbound { + get { return ResourceManager.GetString("Expr_ExpressionUnbound", resourceCulture); } } - + /// /// Looks up a localized string similar to Filter expression '{0}' does not evaluate to a Boolean term.. /// - internal static string Expr_FilterConvertion - { - get - { + internal static string Expr_FilterConvertion { + get { return ResourceManager.GetString("Expr_FilterConvertion", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid number of arguments: function {0}().. /// - internal static string Expr_FunctionArgumentCount - { - get - { + internal static string Expr_FunctionArgumentCount { + get { return ResourceManager.GetString("Expr_FunctionArgumentCount", resourceCulture); } } - + /// /// Looks up a localized string similar to The expression contains invalid date constant '{0}'.. /// - internal static string Expr_InvalidDate - { - get - { + internal static string Expr_InvalidDate { + get { return ResourceManager.GetString("Expr_InvalidDate", resourceCulture); } } - + /// /// Looks up a localized string similar to 'hours' argument is out of range. Value must be between -14 and +14.. /// - internal static string Expr_InvalidHoursArgument - { - get - { + internal static string Expr_InvalidHoursArgument { + get { return ResourceManager.GetString("Expr_InvalidHoursArgument", resourceCulture); } } - + /// /// Looks up a localized string similar to 'minutes' argument is out of range. Value must be between -59 and +59.. /// - internal static string Expr_InvalidMinutesArgument - { - get - { + internal static string Expr_InvalidMinutesArgument { + get { return ResourceManager.GetString("Expr_InvalidMinutesArgument", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid column name [{0}].. /// - internal static string Expr_InvalidName - { - get - { + internal static string Expr_InvalidName { + get { return ResourceManager.GetString("Expr_InvalidName", resourceCulture); } } - + /// /// Looks up a localized string similar to The expression contains invalid name: '{0}'.. /// - internal static string Expr_InvalidNameBracketing - { - get - { + internal static string Expr_InvalidNameBracketing { + get { return ResourceManager.GetString("Expr_InvalidNameBracketing", resourceCulture); } } - + /// /// Looks up a localized string similar to Error in Like operator: the string pattern '{0}' is invalid.. /// - internal static string Expr_InvalidPattern - { - get - { + internal static string Expr_InvalidPattern { + get { return ResourceManager.GetString("Expr_InvalidPattern", resourceCulture); } } - + /// /// Looks up a localized string similar to The expression contains an invalid string constant: {0}.. /// - internal static string Expr_InvalidString - { - get - { + internal static string Expr_InvalidString { + get { return ResourceManager.GetString("Expr_InvalidString", resourceCulture); } } - + /// /// Looks up a localized string similar to Provided range for time one exceeds total of 14 hours.. /// - internal static string Expr_InvalidTimeZoneRange - { - get - { + internal static string Expr_InvalidTimeZoneRange { + get { return ResourceManager.GetString("Expr_InvalidTimeZoneRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid type name '{0}'.. /// - internal static string Expr_InvalidType - { - get - { + internal static string Expr_InvalidType { + get { return ResourceManager.GetString("Expr_InvalidType", resourceCulture); } } - + /// /// Looks up a localized string similar to Need a row or a table to Invoke DataFilter.. /// - internal static string Expr_InvokeArgument - { - get - { + internal static string Expr_InvokeArgument { + get { return ResourceManager.GetString("Expr_InvokeArgument", resourceCulture); } } - + /// /// Looks up a localized string similar to Syntax error: The IN keyword must be followed by a non-empty list of expressions separated by commas, and also must be enclosed in parentheses.. /// - internal static string Expr_InWithoutList - { - get - { + internal static string Expr_InWithoutList { + get { return ResourceManager.GetString("Expr_InWithoutList", resourceCulture); } } - + /// /// Looks up a localized string similar to Syntax error: The items following the IN keyword must be separated by commas and be enclosed in parentheses.. /// - internal static string Expr_InWithoutParentheses - { - get - { + internal static string Expr_InWithoutParentheses { + get { return ResourceManager.GetString("Expr_InWithoutParentheses", resourceCulture); } } - + /// /// Looks up a localized string similar to Syntax error: Invalid usage of 'Is' operator. Correct syntax: <expression> Is [Not] Null.. /// - internal static string Expr_IsSyntax - { - get - { + internal static string Expr_IsSyntax { + get { return ResourceManager.GetString("Expr_IsSyntax", resourceCulture); } } - + /// /// Looks up a localized string similar to Syntax error in Lookup expression: Expecting keyword 'Parent' followed by a single column argument with possible relation qualifier: Parent[(<relation_name>)].<column_name>.. /// - internal static string Expr_LookupArgument - { - get - { + internal static string Expr_LookupArgument { + get { return ResourceManager.GetString("Expr_LookupArgument", resourceCulture); } } - + /// /// Looks up a localized string similar to Kind property of provided DateTime argument, does not match 'hours' and 'minutes' arguments.. /// - internal static string Expr_MismatchKindandTimeSpan - { - get - { + internal static string Expr_MismatchKindandTimeSpan { + get { return ResourceManager.GetString("Expr_MismatchKindandTimeSpan", resourceCulture); } } - + /// /// Looks up a localized string similar to Syntax error: Missing operand after '{0}' operator.. /// - internal static string Expr_MissingOperand - { - get - { + internal static string Expr_MissingOperand { + get { return ResourceManager.GetString("Expr_MissingOperand", resourceCulture); } } - + /// /// Looks up a localized string similar to Syntax error: Missing operand before '{0}' operator.. /// - internal static string Expr_MissingOperandBefore - { - get - { + internal static string Expr_MissingOperandBefore { + get { return ResourceManager.GetString("Expr_MissingOperandBefore", resourceCulture); } } - + /// /// Looks up a localized string similar to The expression is missing the closing parenthesis.. /// - internal static string Expr_MissingRightParen - { - get - { + internal static string Expr_MissingRightParen { + get { return ResourceManager.GetString("Expr_MissingRightParen", resourceCulture); } } - + /// /// Looks up a localized string similar to Only constant expressions are allowed in the expression list for the IN operator.. /// - internal static string Expr_NonConstantArgument - { - get - { + internal static string Expr_NonConstantArgument { + get { return ResourceManager.GetString("Expr_NonConstantArgument", resourceCulture); } } - + /// /// Looks up a localized string similar to The feature not implemented. {0}.. /// - internal static string Expr_NYI - { - get - { + internal static string Expr_NYI { + get { return ResourceManager.GetString("Expr_NYI", resourceCulture); } } - + /// /// Looks up a localized string similar to Value is either too large or too small for Type '{0}'.. /// - internal static string Expr_Overflow - { - get - { + internal static string Expr_Overflow { + get { return ResourceManager.GetString("Expr_Overflow", resourceCulture); } } - + /// /// Looks up a localized string similar to Syntax error in the expression.. /// - internal static string Expr_Syntax - { - get - { + internal static string Expr_Syntax { + get { return ResourceManager.GetString("Expr_Syntax", resourceCulture); } } - + /// /// Looks up a localized string similar to The expression has too many closing parentheses.. /// - internal static string Expr_TooManyRightParentheses - { - get - { + internal static string Expr_TooManyRightParentheses { + get { return ResourceManager.GetString("Expr_TooManyRightParentheses", resourceCulture); } } - + /// /// Looks up a localized string similar to Type mismatch in expression '{0}'.. /// - internal static string Expr_TypeMismatch - { - get - { + internal static string Expr_TypeMismatch { + get { return ResourceManager.GetString("Expr_TypeMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot perform '{0}' operation on {1} and {2}.. /// - internal static string Expr_TypeMismatchInBinop - { - get - { + internal static string Expr_TypeMismatchInBinop { + get { return ResourceManager.GetString("Expr_TypeMismatchInBinop", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot find column [{0}].. /// - internal static string Expr_UnboundName - { - get - { + internal static string Expr_UnboundName { + get { return ResourceManager.GetString("Expr_UnboundName", resourceCulture); } } - + /// /// Looks up a localized string similar to The expression contains undefined function call {0}().. /// - internal static string Expr_UndefinedFunction - { - get - { + internal static string Expr_UndefinedFunction { + get { return ResourceManager.GetString("Expr_UndefinedFunction", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot interpret token '{0}' at position {1}.. /// - internal static string Expr_UnknownToken - { - get - { + internal static string Expr_UnknownToken { + get { return ResourceManager.GetString("Expr_UnknownToken", resourceCulture); } } - + /// /// Looks up a localized string similar to Expected {0}, but actual token at the position {2} is {1}.. /// - internal static string Expr_UnknownToken1 - { - get - { + internal static string Expr_UnknownToken1 { + get { return ResourceManager.GetString("Expr_UnknownToken1", resourceCulture); } } - + /// /// Looks up a localized string similar to The table [{0}] involved in more than one relation. You must explicitly mention a relation name in the expression '{1}'.. /// - internal static string Expr_UnresolvedRelation - { - get - { + internal static string Expr_UnresolvedRelation { + get { return ResourceManager.GetString("Expr_UnresolvedRelation", resourceCulture); } } - + /// /// Looks up a localized string similar to The expression contains unsupported operator '{0}'.. /// - internal static string Expr_UnsupportedOperator - { - get - { + internal static string Expr_UnsupportedOperator { + get { return ResourceManager.GetString("Expr_UnsupportedOperator", resourceCulture); } } - + /// /// Looks up a localized string similar to A DataColumn of type '{0}' does not support expression.. /// - internal static string Expr_UnsupportedType - { - get - { + internal static string Expr_UnsupportedType { + get { return ResourceManager.GetString("Expr_UnsupportedType", resourceCulture); } } - + /// /// Looks up a localized string similar to The collection that holds custom user information.. /// - internal static string ExtendedPropertiesDescr - { - get - { + internal static string ExtendedPropertiesDescr { + get { return ResourceManager.GetString("ExtendedPropertiesDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to create enclave session as attestation server is busy.. /// - internal static string FailToCreateEnclaveSession - { - get - { + internal static string FailToCreateEnclaveSession { + get { return ResourceManager.GetString("FailToCreateEnclaveSession", resourceCulture); } } - + /// /// Looks up a localized string similar to The validation of an attestation information failed. The attestation information has an invalid format. Contact Customer Support Services. Error details: '{0}'.. /// - internal static string FailToParseAttestationInfo - { - get - { + internal static string FailToParseAttestationInfo { + get { return ResourceManager.GetString("FailToParseAttestationInfo", resourceCulture); } } - + /// /// Looks up a localized string similar to The validation of an attestation token failed. The token has an invalid format. Contact Customer Support Services. Error details: '{0}'.. /// - internal static string FailToParseAttestationToken - { - get - { + internal static string FailToParseAttestationToken { + get { return ResourceManager.GetString("FailToParseAttestationToken", resourceCulture); } } - + /// /// Looks up a localized string similar to For accept and reject changes, indicates what kind of cascading should take place across this relation.. /// - internal static string ForeignKeyConstraintAcceptRejectRuleDescr - { - get - { + internal static string ForeignKeyConstraintAcceptRejectRuleDescr { + get { return ResourceManager.GetString("ForeignKeyConstraintAcceptRejectRuleDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the child columns of this constraint.. /// - internal static string ForeignKeyConstraintChildColumnsDescr - { - get - { + internal static string ForeignKeyConstraintChildColumnsDescr { + get { return ResourceManager.GetString("ForeignKeyConstraintChildColumnsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to For deletions, indicates what kind of cascading should take place across this relation.. /// - internal static string ForeignKeyConstraintDeleteRuleDescr - { - get - { + internal static string ForeignKeyConstraintDeleteRuleDescr { + get { return ResourceManager.GetString("ForeignKeyConstraintDeleteRuleDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the parent columns of this constraint.. /// - internal static string ForeignKeyConstraintParentColumnsDescr - { - get - { + internal static string ForeignKeyConstraintParentColumnsDescr { + get { return ResourceManager.GetString("ForeignKeyConstraintParentColumnsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to For updates, indicates what kind of cascading should take place across this relation.. /// - internal static string ForeignKeyConstraintUpdateRuleDescr - { - get - { + internal static string ForeignKeyConstraintUpdateRuleDescr { + get { return ResourceManager.GetString("ForeignKeyConstraintUpdateRuleDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the child table of this constraint.. /// - internal static string ForeignKeyRelatedTableDescr - { - get - { + internal static string ForeignKeyRelatedTableDescr { + get { return ResourceManager.GetString("ForeignKeyRelatedTableDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to The attestation service returned an expired HGS root certificate for attestation URL '{0}'. Check the HGS root certificate configured for your HGS instance.. /// - internal static string GetAttestationSigningCertificateFailedInvalidCertificate - { - get - { + internal static string GetAttestationSigningCertificateFailedInvalidCertificate { + get { return ResourceManager.GetString("GetAttestationSigningCertificateFailedInvalidCertificate", resourceCulture); } } - + /// /// Looks up a localized string similar to The obtained HGS root certificate for attestation URL '{0}' has an invalid format. Verify the attestation URL is correct and the HGS server is online and fully initialized. For more information contact Customer Support Services. Error details: '{1}'.. /// - internal static string GetAttestationSigningCertificateRequestFailedFormat - { - get - { + internal static string GetAttestationSigningCertificateRequestFailedFormat { + get { return ResourceManager.GetString("GetAttestationSigningCertificateRequestFailedFormat", resourceCulture); } } - + /// /// Looks up a localized string similar to The validation of an attestation token failed. Cannot retrieve a public key from the attestation public key endpoint, or the retrieved key has an invalid format. Error details: '{0}'.. /// - internal static string GetAttestationTokenSigningKeysFailed - { - get - { + internal static string GetAttestationTokenSigningKeysFailed { + get { return ResourceManager.GetString("GetAttestationTokenSigningKeysFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Signature verification of the enclave's Diffie-Hellman key failed. Contact Customer Support Services.. /// - internal static string GetSharedSecretFailed - { - get - { + internal static string GetSharedSecretFailed { + get { return ResourceManager.GetString("GetSharedSecretFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Global Transactions are not enabled for this Azure SQL Database. Please contact Azure SQL Database support for assistance.. /// - internal static string GT_Disabled - { - get - { + internal static string GT_Disabled { + get { return ResourceManager.GetString("GT_Disabled", resourceCulture); } } - + /// /// Looks up a localized string similar to The currently loaded System.Transactions.dll does not support Global Transactions. Please upgrade to .NET Framework 4.6.1 or later.. /// - internal static string GT_UnsupportedSysTxVersion - { - get - { + internal static string GT_UnsupportedSysTxVersion { + get { return ResourceManager.GetString("GT_UnsupportedSysTxVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to There are no records in the SqlDataRecord enumeration. To send a table-valued parameter with no rows, use a null reference for the value instead.. /// - internal static string IEnumerableOfSqlDataRecordHasNoRows - { - get - { + internal static string IEnumerableOfSqlDataRecordHasNoRows { + get { return ResourceManager.GetString("IEnumerableOfSqlDataRecordHasNoRows", resourceCulture); } } - + /// /// Looks up a localized string similar to The validation of an attestation token failed due to an error while decoding the enclave public key obtained from SQL Server. Contact Customer Support Services.. /// - internal static string InvalidArgumentToBase64UrlDecoder - { - get - { + internal static string InvalidArgumentToBase64UrlDecoder { + get { return ResourceManager.GetString("InvalidArgumentToBase64UrlDecoder", resourceCulture); } } - + /// /// Looks up a localized string similar to The validation of an attestation token failed due to an error while computing a hash of the enclave public key obtained from SQL Server. Contact Customer Support Services.. /// - internal static string InvalidArgumentToSHA256 - { - get - { + internal static string InvalidArgumentToSHA256 { + get { return ResourceManager.GetString("InvalidArgumentToSHA256", resourceCulture); } } - + /// /// Looks up a localized string similar to The validation of the attestation token has failed during signature validation. Exception: '{0}'.. /// - internal static string InvalidAttestationToken - { - get - { + internal static string InvalidAttestationToken { + get { return ResourceManager.GetString("InvalidAttestationToken", resourceCulture); } } - + /// /// Looks up a localized string similar to The validation of an attestation token failed. Claim '{0}' in the token has an invalid value of '{1}'. Verify the attestation policy. If the policy is correct, contact Customer Support Services.. /// - internal static string InvalidClaimInAttestationToken - { - get - { + internal static string InvalidClaimInAttestationToken { + get { return ResourceManager.GetString("InvalidClaimInAttestationToken", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid column ordinals in schema table. ColumnOrdinals, if present, must not have duplicates or gaps.. /// - internal static string InvalidSchemaTableOrdinals - { - get - { + internal static string InvalidSchemaTableOrdinals { + get { return ResourceManager.GetString("InvalidSchemaTableOrdinals", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates the columns of this constraint.. /// - internal static string KeyConstraintColumnsDescr - { - get - { + internal static string KeyConstraintColumnsDescr { + get { return ResourceManager.GetString("KeyConstraintColumnsDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Indicates if this constraint is a primary key.. /// - internal static string KeyConstraintIsPrimaryKeyDescr - { - get - { + internal static string KeyConstraintIsPrimaryKeyDescr { + get { return ResourceManager.GetString("KeyConstraintIsPrimaryKeyDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to ReadOnly Data is Modified.. /// - internal static string Load_ReadOnlyDataModified - { - get - { + internal static string Load_ReadOnlyDataModified { + get { return ResourceManager.GetString("Load_ReadOnlyDataModified", resourceCulture); } } - + /// /// Looks up a localized string similar to Local Database Runtime: system.data.localdb configuration file section is of unknown type.. /// - internal static string LocalDB_BadConfigSectionType - { - get - { + internal static string LocalDB_BadConfigSectionType { + get { return ResourceManager.GetString("LocalDB_BadConfigSectionType", resourceCulture); } } - + /// /// Looks up a localized string similar to Local Database Runtime: Cannot create named instance.. /// - internal static string LocalDB_CreateFailed - { - get - { + internal static string LocalDB_CreateFailed { + get { return ResourceManager.GetString("LocalDB_CreateFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Local Database Runtime: Cannot load SQLUserInstance.dll.. /// - internal static string LocalDB_FailedGetDLLHandle - { - get - { + internal static string LocalDB_FailedGetDLLHandle { + get { return ResourceManager.GetString("LocalDB_FailedGetDLLHandle", resourceCulture); } } - + /// /// Looks up a localized string similar to Local Database Runtime: Invalid instance version specification found in the configuration file.. /// - internal static string LocalDB_InvalidVersion - { - get - { + internal static string LocalDB_InvalidVersion { + get { return ResourceManager.GetString("LocalDB_InvalidVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid SQLUserInstance.dll found at the location specified in the registry. Verify that the Local Database Runtime feature of SQL Server Express is properly installed.. /// - internal static string LocalDB_MethodNotFound - { - get - { + internal static string LocalDB_MethodNotFound { + get { return ResourceManager.GetString("LocalDB_MethodNotFound", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot obtain Local Database Runtime error message. /// - internal static string LocalDB_UnobtainableMessage - { - get - { + internal static string LocalDB_UnobtainableMessage { + get { return ResourceManager.GetString("LocalDB_UnobtainableMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to The collection name '{0}' matches at least two collections with the same name but with different case, but does not match any of them exactly.. /// - internal static string MDF_AmbiguousCollectionName - { - get - { + internal static string MDF_AmbiguousCollectionName { + get { return ResourceManager.GetString("MDF_AmbiguousCollectionName", resourceCulture); } } - + /// /// Looks up a localized string similar to There are multiple collections named '{0}'.. /// - internal static string MDF_CollectionNameISNotUnique - { - get - { + internal static string MDF_CollectionNameISNotUnique { + get { return ResourceManager.GetString("MDF_CollectionNameISNotUnique", resourceCulture); } } - + /// /// Looks up a localized string similar to The collection '{0}' is missing from the metadata XML.. /// - internal static string MDF_DataTableDoesNotExist - { - get - { + internal static string MDF_DataTableDoesNotExist { + get { return ResourceManager.GetString("MDF_DataTableDoesNotExist", resourceCulture); } } - + /// /// Looks up a localized string similar to The DataSourceInformation table must contain exactly one row.. /// - internal static string MDF_IncorrectNumberOfDataSourceInformationRows - { - get - { + internal static string MDF_IncorrectNumberOfDataSourceInformationRows { + get { return ResourceManager.GetString("MDF_IncorrectNumberOfDataSourceInformationRows", resourceCulture); } } - + /// /// Looks up a localized string similar to '{2}' is not a valid value for the '{1}' restriction of the '{0}' schema collection.. /// - internal static string MDF_InvalidRestrictionValue - { - get - { + internal static string MDF_InvalidRestrictionValue { + get { return ResourceManager.GetString("MDF_InvalidRestrictionValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The metadata XML is invalid.. /// - internal static string MDF_InvalidXml - { - get - { + internal static string MDF_InvalidXml { + get { return ResourceManager.GetString("MDF_InvalidXml", resourceCulture); } } - + /// /// Looks up a localized string similar to The metadata XML is invalid. The {1} column of the {0} collection must contain a non-empty string.. /// - internal static string MDF_InvalidXmlInvalidValue - { - get - { + internal static string MDF_InvalidXmlInvalidValue { + get { return ResourceManager.GetString("MDF_InvalidXmlInvalidValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The metadata XML is invalid. The {0} collection must contain a {1} column and it must be a string column.. /// - internal static string MDF_InvalidXmlMissingColumn - { - get - { + internal static string MDF_InvalidXmlMissingColumn { + get { return ResourceManager.GetString("MDF_InvalidXmlMissingColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to One of the required DataSourceInformation tables columns is missing.. /// - internal static string MDF_MissingDataSourceInformationColumn - { - get - { + internal static string MDF_MissingDataSourceInformationColumn { + get { return ResourceManager.GetString("MDF_MissingDataSourceInformationColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to One or more of the required columns of the restrictions collection is missing.. /// - internal static string MDF_MissingRestrictionColumn - { - get - { + internal static string MDF_MissingRestrictionColumn { + get { return ResourceManager.GetString("MDF_MissingRestrictionColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to A restriction exists for which there is no matching row in the restrictions collection.. /// - internal static string MDF_MissingRestrictionRow - { - get - { + internal static string MDF_MissingRestrictionRow { + get { return ResourceManager.GetString("MDF_MissingRestrictionRow", resourceCulture); } } - + /// /// Looks up a localized string similar to The schema table contains no columns.. /// - internal static string MDF_NoColumns - { - get - { + internal static string MDF_NoColumns { + get { return ResourceManager.GetString("MDF_NoColumns", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to build the '{0}' collection because execution of the SQL query failed. See the inner exception for details.. /// - internal static string MDF_QueryFailed - { - get - { + internal static string MDF_QueryFailed { + get { return ResourceManager.GetString("MDF_QueryFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to More restrictions were provided than the requested schema ('{0}') supports.. /// - internal static string MDF_TooManyRestrictions - { - get - { + internal static string MDF_TooManyRestrictions { + get { return ResourceManager.GetString("MDF_TooManyRestrictions", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to build schema collection '{0}';. /// - internal static string MDF_UnableToBuildCollection - { - get - { + internal static string MDF_UnableToBuildCollection { + get { return ResourceManager.GetString("MDF_UnableToBuildCollection", resourceCulture); } } - + /// /// Looks up a localized string similar to The requested collection ({0}) is not defined.. /// - internal static string MDF_UndefinedCollection - { - get - { + internal static string MDF_UndefinedCollection { + get { return ResourceManager.GetString("MDF_UndefinedCollection", resourceCulture); } } - + /// /// Looks up a localized string similar to The population mechanism '{0}' is not defined.. /// - internal static string MDF_UndefinedPopulationMechanism - { - get - { + internal static string MDF_UndefinedPopulationMechanism { + get { return ResourceManager.GetString("MDF_UndefinedPopulationMechanism", resourceCulture); } } - + /// /// Looks up a localized string similar to The requested collection ({0}) is not supported by this version of the provider.. /// - internal static string MDF_UnsupportedVersion - { - get - { + internal static string MDF_UnsupportedVersion { + get { return ResourceManager.GetString("MDF_UnsupportedVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlDbType.Structured type is only supported for multiple valued types.. /// - internal static string MetaType_SingleValuedStructNotSupported - { - get - { + internal static string MetaType_SingleValuedStructNotSupported { + get { return ResourceManager.GetString("MetaType_SingleValuedStructNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to The validation of the attestation token failed. Claim '{0}' is missing in the token. Verify the attestation policy. If the policy is correct, contact Customer Support Services.. /// - internal static string MissingClaimInAttestationToken - { - get - { + internal static string MissingClaimInAttestationToken { + get { return ResourceManager.GetString("MissingClaimInAttestationToken", resourceCulture); } } - + /// /// Looks up a localized string similar to Simple type '{0}' has already be declared with different '{1}'.. /// - internal static string NamedSimpleType_InvalidDuplicateNamedSimpleTypeDelaration - { - get - { + internal static string NamedSimpleType_InvalidDuplicateNamedSimpleTypeDelaration { + get { return ResourceManager.GetString("NamedSimpleType_InvalidDuplicateNamedSimpleTypeDelaration", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified value is not valid in the '{0}' enumeration.. /// - internal static string net_invalid_enum - { - get - { + internal static string net_invalid_enum { + get { return ResourceManager.GetString("net_invalid_enum", resourceCulture); } } - + /// /// Looks up a localized string similar to DateType column for field '{0}' in schema table is null. DataType must be non-null.. /// - internal static string NullSchemaTableDataTypeNotSupported - { - get - { + internal static string NullSchemaTableDataTypeNotSupported { + get { return ResourceManager.GetString("NullSchemaTableDataTypeNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} - unable to allocate an environment handle.. /// - internal static string Odbc_CantAllocateEnvironmentHandle - { - get - { + internal static string Odbc_CantAllocateEnvironmentHandle { + get { return ResourceManager.GetString("Odbc_CantAllocateEnvironmentHandle", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} - unable to enable connection pooling.... /// - internal static string Odbc_CantEnableConnectionpooling - { - get - { + internal static string Odbc_CantEnableConnectionpooling { + get { return ResourceManager.GetString("Odbc_CantEnableConnectionpooling", resourceCulture); } } - + /// /// Looks up a localized string similar to Can't set property on an open connection.. /// - internal static string Odbc_CantSetPropertyOnOpenConnection - { - get - { + internal static string Odbc_CantSetPropertyOnOpenConnection { + get { return ResourceManager.GetString("Odbc_CantSetPropertyOnOpenConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection is closed.. /// - internal static string Odbc_ConnectionClosed - { - get - { + internal static string Odbc_ConnectionClosed { + get { return ResourceManager.GetString("Odbc_ConnectionClosed", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} [{1}] {2}. /// - internal static string Odbc_ExceptionMessage - { - get - { + internal static string Odbc_ExceptionMessage { + get { return ResourceManager.GetString("Odbc_ExceptionMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} - no error information available. /// - internal static string Odbc_ExceptionNoInfoMsg - { - get - { + internal static string Odbc_ExceptionNoInfoMsg { + get { return ResourceManager.GetString("Odbc_ExceptionNoInfoMsg", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} - unable to get descriptor handle.. /// - internal static string Odbc_FailedToGetDescriptorHandle - { - get - { + internal static string Odbc_FailedToGetDescriptorHandle { + get { return ResourceManager.GetString("Odbc_FailedToGetDescriptorHandle", resourceCulture); } } - + /// /// Looks up a localized string similar to "The ODBC managed provider requires that the TABLE_NAME restriction be specified and non-null for the GetSchema indexes collection.. /// - internal static string ODBC_GetSchemaRestrictionRequired - { - get - { + internal static string ODBC_GetSchemaRestrictionRequired { + get { return ResourceManager.GetString("ODBC_GetSchemaRestrictionRequired", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} - unable to map type.. /// - internal static string Odbc_GetTypeMapping_UnknownType - { - get - { + internal static string Odbc_GetTypeMapping_UnknownType { + get { return ResourceManager.GetString("Odbc_GetTypeMapping_UnknownType", resourceCulture); } } - + /// /// Looks up a localized string similar to The .NET Framework Odbc Data Provider requires Microsoft Data Access Components(MDAC) version 2.6 or later. Version {0} was found currently installed.. /// - internal static string Odbc_MDACWrongVersion - { - get - { + internal static string Odbc_MDACWrongVersion { + get { return ResourceManager.GetString("Odbc_MDACWrongVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid negative argument!. /// - internal static string Odbc_NegativeArgument - { - get - { + internal static string Odbc_NegativeArgument { + get { return ResourceManager.GetString("Odbc_NegativeArgument", resourceCulture); } } - + /// /// Looks up a localized string similar to No valid mapping for a SQL_TRANSACTION '{0}' to a System.Data.IsolationLevel enumeration value.. /// - internal static string Odbc_NoMappingForSqlTransactionLevel - { - get - { + internal static string Odbc_NoMappingForSqlTransactionLevel { + get { return ResourceManager.GetString("Odbc_NoMappingForSqlTransactionLevel", resourceCulture); } } - + /// /// Looks up a localized string similar to Not in a transaction. /// - internal static string Odbc_NotInTransaction - { - get - { + internal static string Odbc_NotInTransaction { + get { return ResourceManager.GetString("Odbc_NotInTransaction", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} enumeration value, {1}, is not supported by the .NET Framework Odbc Data Provider.. /// - internal static string ODBC_NotSupportedEnumerationValue - { - get - { + internal static string ODBC_NotSupportedEnumerationValue { + get { return ResourceManager.GetString("ODBC_NotSupportedEnumerationValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Use IsDBNull when DBNull.Value data is expected.. /// - internal static string Odbc_NullData - { - get - { + internal static string Odbc_NullData { + get { return ResourceManager.GetString("Odbc_NullData", resourceCulture); } } - + /// /// Looks up a localized string similar to OdbcCommandBuilder.DeriveParameters failed because the OdbcCommand.CommandText property value is an invalid multipart name. /// - internal static string ODBC_ODBCCommandText - { - get - { + internal static string ODBC_ODBCCommandText { + get { return ResourceManager.GetString("ODBC_ODBCCommandText", resourceCulture); } } - + /// /// Looks up a localized string similar to An internal connection does not have an owner.. /// - internal static string Odbc_OpenConnectionNoOwner - { - get - { + internal static string Odbc_OpenConnectionNoOwner { + get { return ResourceManager.GetString("Odbc_OpenConnectionNoOwner", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid OdbcType enumeration value={0}.. /// - internal static string Odbc_UnknownOdbcType - { - get - { + internal static string Odbc_UnknownOdbcType { + get { return ResourceManager.GetString("Odbc_UnknownOdbcType", resourceCulture); } } - + /// /// Looks up a localized string similar to Unknown SQL type - {0}.. /// - internal static string Odbc_UnknownSQLType - { - get - { + internal static string Odbc_UnknownSQLType { + get { return ResourceManager.GetString("Odbc_UnknownSQLType", resourceCulture); } } - + /// /// Looks up a localized string similar to Unknown URT type - {0}.. /// - internal static string Odbc_UnknownURTType - { - get - { + internal static string Odbc_UnknownURTType { + get { return ResourceManager.GetString("Odbc_UnknownURTType", resourceCulture); } } - + /// /// Looks up a localized string similar to The DataAdapter for which to automatically generate OdbcCommands. /// - internal static string OdbcCommandBuilder_DataAdapter - { - get - { + internal static string OdbcCommandBuilder_DataAdapter { + get { return ResourceManager.GetString("OdbcCommandBuilder_DataAdapter", resourceCulture); } } - + /// /// Looks up a localized string similar to The character used in a text command as the opening quote for quoting identifiers that contain special characters.. /// - internal static string OdbcCommandBuilder_QuotePrefix - { - get - { + internal static string OdbcCommandBuilder_QuotePrefix { + get { return ResourceManager.GetString("OdbcCommandBuilder_QuotePrefix", resourceCulture); } } - + /// /// Looks up a localized string similar to The character used in a text command as the closing quote for quoting identifiers that contain special characters.. /// - internal static string OdbcCommandBuilder_QuoteSuffix - { - get - { + internal static string OdbcCommandBuilder_QuoteSuffix { + get { return ResourceManager.GetString("OdbcCommandBuilder_QuoteSuffix", resourceCulture); } } - + /// /// Looks up a localized string similar to Information used to connect to a Data Source.. /// - internal static string OdbcConnection_ConnectionString - { - get - { + internal static string OdbcConnection_ConnectionString { + get { return ResourceManager.GetString("OdbcConnection_ConnectionString", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection string exceeds maximum allowed length of {0}.. /// - internal static string OdbcConnection_ConnectionStringTooLong - { - get - { + internal static string OdbcConnection_ConnectionStringTooLong { + get { return ResourceManager.GetString("OdbcConnection_ConnectionStringTooLong", resourceCulture); } } - + /// /// Looks up a localized string similar to Current connection timeout value, not settable in the ConnectionString.. /// - internal static string OdbcConnection_ConnectionTimeout - { - get - { + internal static string OdbcConnection_ConnectionTimeout { + get { return ResourceManager.GetString("OdbcConnection_ConnectionTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to Current data source catalog value, 'Database=X' in the connection string.. /// - internal static string OdbcConnection_Database - { - get - { + internal static string OdbcConnection_Database { + get { return ResourceManager.GetString("OdbcConnection_Database", resourceCulture); } } - + /// /// Looks up a localized string similar to Current data source, 'Server=X' in the connection string.. /// - internal static string OdbcConnection_DataSource - { - get - { + internal static string OdbcConnection_DataSource { + get { return ResourceManager.GetString("OdbcConnection_DataSource", resourceCulture); } } - + /// /// Looks up a localized string similar to Current ODBC driver.. /// - internal static string OdbcConnection_Driver - { - get - { + internal static string OdbcConnection_Driver { + get { return ResourceManager.GetString("OdbcConnection_Driver", resourceCulture); } } - + /// /// Looks up a localized string similar to Version of the product accessed by the ODBC Driver.. /// - internal static string OdbcConnection_ServerVersion - { - get - { + internal static string OdbcConnection_ServerVersion { + get { return ResourceManager.GetString("OdbcConnection_ServerVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to The parameter native type.. /// - internal static string OdbcParameter_OdbcType - { - get - { + internal static string OdbcParameter_OdbcType { + get { return ResourceManager.GetString("OdbcParameter_OdbcType", resourceCulture); } } - + /// /// Looks up a localized string similar to 'Asynchronous Processing' is not a supported feature of the .NET Framework Data OLE DB Provider(Microsoft.Data.OleDb).. /// - internal static string OleDb_AsynchronousNotSupported - { - get - { + internal static string OleDb_AsynchronousNotSupported { + get { return ResourceManager.GetString("OleDb_AsynchronousNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Accessor validation was deferred and was performed while the method returned data. The binding was invalid for this column or parameter.. /// - internal static string OleDb_BadAccessor - { - get - { + internal static string OleDb_BadAccessor { + get { return ResourceManager.GetString("OleDb_BadAccessor", resourceCulture); } } - + /// /// Looks up a localized string similar to Microsoft.Data.OleDb.OleDbDataAdapter internal error: invalid parameter accessor: {0} {1}.. /// - internal static string OleDb_BadStatus_ParamAcc - { - get - { + internal static string OleDb_BadStatus_ParamAcc { + get { return ResourceManager.GetString("OleDb_BadStatus_ParamAcc", resourceCulture); } } - + /// /// Looks up a localized string similar to OleDbDataAdapter internal error: invalid row set accessor: Ordinal={0} Status={1}.. /// - internal static string OleDb_BadStatusRowAccessor - { - get - { + internal static string OleDb_BadStatusRowAccessor { + get { return ResourceManager.GetString("OleDb_BadStatusRowAccessor", resourceCulture); } } - + /// /// Looks up a localized string similar to Can not determine the server's decimal separator. Non-integer numeric literals can not be created.. /// - internal static string OleDb_CanNotDetermineDecimalSeparator - { - get - { + internal static string OleDb_CanNotDetermineDecimalSeparator { + get { return ResourceManager.GetString("OleDb_CanNotDetermineDecimalSeparator", resourceCulture); } } - + /// /// Looks up a localized string similar to The data value could not be converted for reasons other than sign mismatch or data overflow. For example, the data was corrupted in the data store but the row was still retrievable.. /// - internal static string OleDb_CantConvertValue - { - get - { + internal static string OleDb_CantConvertValue { + get { return ResourceManager.GetString("OleDb_CantConvertValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The provider could not allocate memory in which to return {0} data.. /// - internal static string OleDb_CantCreate - { - get - { + internal static string OleDb_CantCreate { + get { return ResourceManager.GetString("OleDb_CantCreate", resourceCulture); } } - + /// /// Looks up a localized string similar to Command parameter[{0}] '{1}' is invalid.. /// - internal static string OleDb_CommandParameterBadAccessor - { - get - { + internal static string OleDb_CommandParameterBadAccessor { + get { return ResourceManager.GetString("OleDb_CommandParameterBadAccessor", resourceCulture); } } - + /// /// Looks up a localized string similar to Command parameter[{0}] '{1}' data value could not be converted for reasons other than sign mismatch or data overflow.. /// - internal static string OleDb_CommandParameterCantConvertValue - { - get - { + internal static string OleDb_CommandParameterCantConvertValue { + get { return ResourceManager.GetString("OleDb_CommandParameterCantConvertValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Conversion failed for command parameter[{0}] '{1}' because the data value overflowed the type used by the provider.. /// - internal static string OleDb_CommandParameterDataOverflow - { - get - { + internal static string OleDb_CommandParameterDataOverflow { + get { return ResourceManager.GetString("OleDb_CommandParameterDataOverflow", resourceCulture); } } - + /// /// Looks up a localized string similar to Parameter[{0}] '{1}' has no default value.. /// - internal static string OleDb_CommandParameterDefault - { - get - { + internal static string OleDb_CommandParameterDefault { + get { return ResourceManager.GetString("OleDb_CommandParameterDefault", resourceCulture); } } - + /// /// Looks up a localized string similar to Error occurred with parameter[{0}]: {1}.. /// - internal static string OleDb_CommandParameterError - { - get - { + internal static string OleDb_CommandParameterError { + get { return ResourceManager.GetString("OleDb_CommandParameterError", resourceCulture); } } - + /// /// Looks up a localized string similar to Conversion failed for command parameter[{0}] '{1}' because the data value was signed and the type used by the provider was unsigned.. /// - internal static string OleDb_CommandParameterSignMismatch - { - get - { + internal static string OleDb_CommandParameterSignMismatch { + get { return ResourceManager.GetString("OleDb_CommandParameterSignMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Provider encountered an error while sending command parameter[{0}] '{1}' value and stopped processing.. /// - internal static string OleDb_CommandParameterUnavailable - { - get - { + internal static string OleDb_CommandParameterUnavailable { + get { return ResourceManager.GetString("OleDb_CommandParameterUnavailable", resourceCulture); } } - + /// /// Looks up a localized string similar to The ICommandText interface is not supported by the '{0}' provider. Use CommandType.TableDirect instead.. /// - internal static string OleDb_CommandTextNotSupported - { - get - { + internal static string OleDb_CommandTextNotSupported { + get { return ResourceManager.GetString("OleDb_CommandTextNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to load the XML file specified in configuration setting '{0}'.. /// - internal static string OleDb_ConfigUnableToLoadXmlMetaDataFile - { - get - { + internal static string OleDb_ConfigUnableToLoadXmlMetaDataFile { + get { return ResourceManager.GetString("OleDb_ConfigUnableToLoadXmlMetaDataFile", resourceCulture); } } - + /// /// Looks up a localized string similar to The '{0}' configuration setting has the wrong number of values.. /// - internal static string OleDb_ConfigWrongNumberOfValues - { - get - { + internal static string OleDb_ConfigWrongNumberOfValues { + get { return ResourceManager.GetString("OleDb_ConfigWrongNumberOfValues", resourceCulture); } } - + /// /// Looks up a localized string similar to Format of the initialization string does not conform to the OLE DB specification. Starting around char[{0}] in the connection string.. /// - internal static string OleDb_ConnectionStringSyntax - { - get - { + internal static string OleDb_ConnectionStringSyntax { + get { return ResourceManager.GetString("OleDb_ConnectionStringSyntax", resourceCulture); } } - + /// /// Looks up a localized string similar to Conversion failed because the {0} data value overflowed the type specified for the {0} value part in the consumer's buffer.. /// - internal static string OleDb_DataOverflow - { - get - { + internal static string OleDb_DataOverflow { + get { return ResourceManager.GetString("OleDb_DataOverflow", resourceCulture); } } - + /// /// Looks up a localized string similar to DBTYPE_VECTOR data is not supported by the .NET Framework Data OLE DB Provider(Microsoft.Data.OleDb).. /// - internal static string OleDb_DBBindingGetVector - { - get - { + internal static string OleDb_DBBindingGetVector { + get { return ResourceManager.GetString("OleDb_DBBindingGetVector", resourceCulture); } } - + /// /// Looks up a localized string similar to IErrorInfo.GetDescription failed with {0}.. /// - internal static string OleDb_FailedGetDescription - { - get - { + internal static string OleDb_FailedGetDescription { + get { return ResourceManager.GetString("OleDb_FailedGetDescription", resourceCulture); } } - + /// /// Looks up a localized string similar to IErrorInfo.GetSource failed with {0}.. /// - internal static string OleDb_FailedGetSource - { - get - { + internal static string OleDb_FailedGetSource { + get { return ResourceManager.GetString("OleDb_FailedGetSource", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to retrieve the IRow interface from the ADODB.Record object.. /// - internal static string OleDb_Fill_EmptyRecord - { - get - { + internal static string OleDb_Fill_EmptyRecord { + get { return ResourceManager.GetString("OleDb_Fill_EmptyRecord", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to retrieve the '{0}' interface from the ADODB.RecordSet object.. /// - internal static string OleDb_Fill_EmptyRecordSet - { - get - { + internal static string OleDb_Fill_EmptyRecordSet { + get { return ResourceManager.GetString("OleDb_Fill_EmptyRecordSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Object is not an ADODB.RecordSet or an ADODB.Record.. /// - internal static string OleDb_Fill_NotADODB - { - get - { + internal static string OleDb_Fill_NotADODB { + get { return ResourceManager.GetString("OleDb_Fill_NotADODB", resourceCulture); } } - + /// /// Looks up a localized string similar to OleDbDataAdapter internal error: [get] Unknown OLE DB data type: 0x{0} ({1}).. /// - internal static string OleDb_GVtUnknown - { - get - { + internal static string OleDb_GVtUnknown { + get { return ResourceManager.GetString("OleDb_GVtUnknown", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot construct the ReservedWords schema collection because the provider does not support IDBInfo.. /// - internal static string OleDb_IDBInfoNotSupported - { - get - { + internal static string OleDb_IDBInfoNotSupported { + get { return ResourceManager.GetString("OleDb_IDBInfoNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to The OLE DB Provider specified in the ConnectionString is too long.. /// - internal static string OleDb_InvalidProviderSpecified - { - get - { + internal static string OleDb_InvalidProviderSpecified { + get { return ResourceManager.GetString("OleDb_InvalidProviderSpecified", resourceCulture); } } - + /// /// Looks up a localized string similar to No restrictions are expected for the DbInfoKeywords OleDbSchemaGuid.. /// - internal static string OleDb_InvalidRestrictionsDbInfoKeywords - { - get - { + internal static string OleDb_InvalidRestrictionsDbInfoKeywords { + get { return ResourceManager.GetString("OleDb_InvalidRestrictionsDbInfoKeywords", resourceCulture); } } - + /// /// Looks up a localized string similar to No restrictions are expected for the DbInfoLiterals OleDbSchemaGuid.. /// - internal static string OleDb_InvalidRestrictionsDbInfoLiteral - { - get - { + internal static string OleDb_InvalidRestrictionsDbInfoLiteral { + get { return ResourceManager.GetString("OleDb_InvalidRestrictionsDbInfoLiteral", resourceCulture); } } - + /// /// Looks up a localized string similar to No restrictions are expected for the schema guid OleDbSchemaGuid.. /// - internal static string OleDb_InvalidRestrictionsSchemaGuids - { - get - { + internal static string OleDb_InvalidRestrictionsSchemaGuids { + get { return ResourceManager.GetString("OleDb_InvalidRestrictionsSchemaGuids", resourceCulture); } } - + /// /// Looks up a localized string similar to Type does not support the OLE DB interface ISourcesRowset. /// - internal static string OleDb_ISourcesRowsetNotSupported - { - get - { + internal static string OleDb_ISourcesRowsetNotSupported { + get { return ResourceManager.GetString("OleDb_ISourcesRowsetNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to The .NET Framework Data Providers require Microsoft Data Access Components(MDAC). Please install Microsoft Data Access Components(MDAC) version 2.6 or later.. /// - internal static string OleDb_MDACNotAvailable - { - get - { + internal static string OleDb_MDACNotAvailable { + get { return ResourceManager.GetString("OleDb_MDACNotAvailable", resourceCulture); } } - + /// /// Looks up a localized string similar to The .NET Framework OleDb Data Provider requires Microsoft Data Access Components(MDAC) version 2.6 or later. Version {0} was found currently installed.. /// - internal static string OleDb_MDACWrongVersion - { - get - { + internal static string OleDb_MDACWrongVersion { + get { return ResourceManager.GetString("OleDb_MDACWrongVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to The .NET Framework Data Provider for OLEDB (Microsoft.Data.OleDb) does not support the Microsoft OLE DB Provider for ODBC Drivers (MSDASQL). Use the .NET Framework Data Provider for ODBC (System.Data.Odbc).. /// - internal static string OleDb_MSDASQLNotSupported - { - get - { + internal static string OleDb_MSDASQLNotSupported { + get { return ResourceManager.GetString("OleDb_MSDASQLNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to No error message available, result code: {0}.. /// - internal static string OleDb_NoErrorInformation - { - get - { + internal static string OleDb_NoErrorInformation { + get { return ResourceManager.GetString("OleDb_NoErrorInformation", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}' failed with no error message available, result code: {1}.. /// - internal static string OleDb_NoErrorInformation2 - { - get - { + internal static string OleDb_NoErrorInformation2 { + get { return ResourceManager.GetString("OleDb_NoErrorInformation2", resourceCulture); } } - + /// /// Looks up a localized string similar to Unspecified error: {0}. /// - internal static string OleDb_NoErrorMessage - { - get - { + internal static string OleDb_NoErrorMessage { + get { return ResourceManager.GetString("OleDb_NoErrorMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to An OLE DB Provider was not specified in the ConnectionString. An example would be, 'Provider=SQLOLEDB;'.. /// - internal static string OleDb_NoProviderSpecified - { - get - { + internal static string OleDb_NoProviderSpecified { + get { return ResourceManager.GetString("OleDb_NoProviderSpecified", resourceCulture); } } - + /// /// Looks up a localized string similar to The ICommandWithParameters interface is not supported by the '{0}' provider. Command parameters are unsupported with the current provider.. /// - internal static string OleDb_NoProviderSupportForParameters - { - get - { + internal static string OleDb_NoProviderSupportForParameters { + get { return ResourceManager.GetString("OleDb_NoProviderSupportForParameters", resourceCulture); } } - + /// /// Looks up a localized string similar to Retrieving procedure parameter information is not supported by the '{0}' provider.. /// - internal static string OleDb_NoProviderSupportForSProcResetParameters - { - get - { + internal static string OleDb_NoProviderSupportForSProcResetParameters { + get { return ResourceManager.GetString("OleDb_NoProviderSupportForSProcResetParameters", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} enumeration value, {1}, is not supported by the .NET Framework OleDb Data Provider.. /// - internal static string OLEDB_NotSupportedEnumerationValue - { - get - { + internal static string OLEDB_NotSupportedEnumerationValue { + get { return ResourceManager.GetString("OLEDB_NotSupportedEnumerationValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} OleDbSchemaGuid is not a supported schema by the '{1}' provider.. /// - internal static string OleDb_NotSupportedSchemaTable - { - get - { + internal static string OleDb_NotSupportedSchemaTable { + get { return ResourceManager.GetString("OleDb_NotSupportedSchemaTable", resourceCulture); } } - + /// /// Looks up a localized string similar to OleDbCommandBuilder.DeriveParameters failed because the OleDbCommandBuilder.CommandText property value is an invalid multipart name. /// - internal static string OLEDB_OLEDBCommandText - { - get - { + internal static string OLEDB_OLEDBCommandText { + get { return ResourceManager.GetString("OLEDB_OLEDBCommandText", resourceCulture); } } - + /// /// Looks up a localized string similar to The .NET Framework Data Provider for OLEDB will not allow the OLE DB Provider to prompt the user in a non-interactive environment.. /// - internal static string OleDb_PossiblePromptNotUserInteractive - { - get - { + internal static string OleDb_PossiblePromptNotUserInteractive { + get { return ResourceManager.GetString("OleDb_PossiblePromptNotUserInteractive", resourceCulture); } } - + /// /// Looks up a localized string similar to The ColumnID element was invalid.. /// - internal static string OleDb_PropertyBadColumn - { - get - { + internal static string OleDb_PropertyBadColumn { + get { return ResourceManager.GetString("OleDb_PropertyBadColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to The value of Options was invalid.. /// - internal static string OleDb_PropertyBadOption - { - get - { + internal static string OleDb_PropertyBadOption { + get { return ResourceManager.GetString("OleDb_PropertyBadOption", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to initialize the '{0}' property for one of the following reasons: /// The value data type was not the data type of the property or was not null. For example, the property was DBPROP_MEMORYUSAGE, which has a data type of Int32, and the data type was Int64. /// The value was not a valid value. For example, the property was DBPROP_MEMORYUSAGE and the value was negative. /// The value was a valid value for the property and the provider supports the property as a settable property, but the provider does not su [rest of string was truncated]";. /// - internal static string OleDb_PropertyBadValue - { - get - { + internal static string OleDb_PropertyBadValue { + get { return ResourceManager.GetString("OleDb_PropertyBadValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The '{0}'property's value was not set because doing so would have conflicted with an existing property.. /// - internal static string OleDb_PropertyConflicting - { - get - { + internal static string OleDb_PropertyConflicting { + get { return ResourceManager.GetString("OleDb_PropertyConflicting", resourceCulture); } } - + /// /// Looks up a localized string similar to A '{0}' property was specified to be applied to all columns but could not be applied to one or more of them.. /// - internal static string OleDb_PropertyNotAllSettable - { - get - { + internal static string OleDb_PropertyNotAllSettable { + get { return ResourceManager.GetString("OleDb_PropertyNotAllSettable", resourceCulture); } } - + /// /// Looks up a localized string similar to (Reserved).. /// - internal static string OleDb_PropertyNotAvailable - { - get - { + internal static string OleDb_PropertyNotAvailable { + get { return ResourceManager.GetString("OleDb_PropertyNotAvailable", resourceCulture); } } - + /// /// Looks up a localized string similar to The optional '{0}' property's value was not set to the specified value and setting the property to the specified value was not possible.. /// - internal static string OleDb_PropertyNotSet - { - get - { + internal static string OleDb_PropertyNotSet { + get { return ResourceManager.GetString("OleDb_PropertyNotSet", resourceCulture); } } - + /// /// Looks up a localized string similar to The '{0}' property was read-only, or the consumer attempted to set values of properties in the Initialization property group after the data source object was initialized. Consumers can set the value of a read-only property to its current value. This status is also returned if a settable column property could not be set for the particular column.. /// - internal static string OleDb_PropertyNotSettable - { - get - { + internal static string OleDb_PropertyNotSettable { + get { return ResourceManager.GetString("OleDb_PropertyNotSettable", resourceCulture); } } - + /// /// Looks up a localized string similar to The property's value was not set because the provider did not support the '{0}' property, or the consumer attempted to get or set values of properties not in the Initialization property group and the data source object is uninitialized.. /// - internal static string OleDb_PropertyNotSupported - { - get - { + internal static string OleDb_PropertyNotSupported { + get { return ResourceManager.GetString("OleDb_PropertyNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to The provider returned an unknown DBPROPSTATUS_ value '{0}'.. /// - internal static string OleDb_PropertyStatusUnknown - { - get - { + internal static string OleDb_PropertyStatusUnknown { + get { return ResourceManager.GetString("OleDb_PropertyStatusUnknown", resourceCulture); } } - + /// /// Looks up a localized string similar to The '{0}' provider is not registered on the local machine.. /// - internal static string OleDb_ProviderUnavailable - { - get - { + internal static string OleDb_ProviderUnavailable { + get { return ResourceManager.GetString("OleDb_ProviderUnavailable", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}' interface is not supported by the '{1}' provider. GetOleDbSchemaTable is unavailable with the current provider.. /// - internal static string OleDb_SchemaRowsetsNotSupported - { - get - { + internal static string OleDb_SchemaRowsetsNotSupported { + get { return ResourceManager.GetString("OleDb_SchemaRowsetsNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Conversion failed because the {0} data value was signed and the type specified for the {0} value part in the consumer's buffer was unsigned.. /// - internal static string OleDb_SignMismatch - { - get - { + internal static string OleDb_SignMismatch { + get { return ResourceManager.GetString("OleDb_SignMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to OleDbDataAdapter internal error: [set] Unknown OLE DB data type: 0x{0} ({1}).. /// - internal static string OleDb_SVtUnknown - { - get - { + internal static string OleDb_SVtUnknown { + get { return ResourceManager.GetString("OleDb_SVtUnknown", resourceCulture); } } - + /// /// Looks up a localized string similar to The OleDbDataReader.Read must be used from the same thread on which is was created if that thread's ApartmentState was not ApartmentState.MTA.. /// - internal static string OleDb_ThreadApartmentState - { - get - { + internal static string OleDb_ThreadApartmentState { + get { return ResourceManager.GetString("OleDb_ThreadApartmentState", resourceCulture); } } - + /// /// Looks up a localized string similar to The ITransactionLocal interface is not supported by the '{0}' provider. Local transactions are unavailable with the current provider.. /// - internal static string OleDb_TransactionsNotSupported - { - get - { + internal static string OleDb_TransactionsNotSupported { + get { return ResourceManager.GetString("OleDb_TransactionsNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to The provider could not determine the {0} value. For example, the row was just created, the default for the {0} column was not available, and the consumer had not yet set a new {0} value.. /// - internal static string OleDb_Unavailable - { - get - { + internal static string OleDb_Unavailable { + get { return ResourceManager.GetString("OleDb_Unavailable", resourceCulture); } } - + /// /// Looks up a localized string similar to OLE DB Provider returned an unexpected status value of {0}.. /// - internal static string OleDb_UnexpectedStatusValue - { - get - { + internal static string OleDb_UnexpectedStatusValue { + get { return ResourceManager.GetString("OleDb_UnexpectedStatusValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Parameter[{0}]: the OleDbType property is uninitialized: OleDbType.{1}.. /// - internal static string OleDb_UninitializedParameters - { - get - { + internal static string OleDb_UninitializedParameters { + get { return ResourceManager.GetString("OleDb_UninitializedParameters", resourceCulture); } } - + /// /// Looks up a localized string similar to The DataAdapter for which to automatically generate OleDbCommands. /// - internal static string OleDbCommandBuilder_DataAdapter - { - get - { + internal static string OleDbCommandBuilder_DataAdapter { + get { return ResourceManager.GetString("OleDbCommandBuilder_DataAdapter", resourceCulture); } } - + /// /// Looks up a localized string similar to The decimal separator used in numeric literals.. /// - internal static string OleDbCommandBuilder_DecimalSeparator - { - get - { + internal static string OleDbCommandBuilder_DecimalSeparator { + get { return ResourceManager.GetString("OleDbCommandBuilder_DecimalSeparator", resourceCulture); } } - + /// /// Looks up a localized string similar to The prefix string wrapped around sql objects. /// - internal static string OleDbCommandBuilder_QuotePrefix - { - get - { + internal static string OleDbCommandBuilder_QuotePrefix { + get { return ResourceManager.GetString("OleDbCommandBuilder_QuotePrefix", resourceCulture); } } - + /// /// Looks up a localized string similar to The suffix string wrapped around sql objects. /// - internal static string OleDbCommandBuilder_QuoteSuffix - { - get - { + internal static string OleDbCommandBuilder_QuoteSuffix { + get { return ResourceManager.GetString("OleDbCommandBuilder_QuoteSuffix", resourceCulture); } } - + /// /// Looks up a localized string similar to Information used to connect to a Data Source.. /// - internal static string OleDbConnection_ConnectionString - { - get - { + internal static string OleDbConnection_ConnectionString { + get { return ResourceManager.GetString("OleDbConnection_ConnectionString", resourceCulture); } } - + /// /// Looks up a localized string similar to Current connection timeout value, 'Connect Timeout=X' in the ConnectionString.. /// - internal static string OleDbConnection_ConnectionTimeout - { - get - { + internal static string OleDbConnection_ConnectionTimeout { + get { return ResourceManager.GetString("OleDbConnection_ConnectionTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to Current data source catalog value, 'Initial Catalog=X' in the connection string.. /// - internal static string OleDbConnection_Database - { - get - { + internal static string OleDbConnection_Database { + get { return ResourceManager.GetString("OleDbConnection_Database", resourceCulture); } } - + /// /// Looks up a localized string similar to Current data source, 'Data Source=X' in the connection string.. /// - internal static string OleDbConnection_DataSource - { - get - { + internal static string OleDbConnection_DataSource { + get { return ResourceManager.GetString("OleDbConnection_DataSource", resourceCulture); } } - + /// /// Looks up a localized string similar to Current OLE DB provider ProgID, 'Provider=X' in the connection string.. /// - internal static string OleDbConnection_Provider - { - get - { + internal static string OleDbConnection_Provider { + get { return ResourceManager.GetString("OleDbConnection_Provider", resourceCulture); } } - + /// /// Looks up a localized string similar to Version of the product accessed by the OLE DB Provider.. /// - internal static string OleDbConnection_ServerVersion - { - get - { + internal static string OleDbConnection_ServerVersion { + get { return ResourceManager.GetString("OleDbConnection_ServerVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to The parameter native type.. /// - internal static string OleDbParameter_OleDbType - { - get - { + internal static string OleDbParameter_OleDbType { + get { return ResourceManager.GetString("OleDbParameter_OleDbType", resourceCulture); } } - + /// /// Looks up a localized string similar to Occurs whenever a property for this control changes.. /// - internal static string propertyChangedEventDescr - { - get - { + internal static string propertyChangedEventDescr { + get { return ResourceManager.GetString("propertyChangedEventDescr", resourceCulture); } } - + /// /// Looks up a localized string similar to Min ({0}) must be less than or equal to max ({1}) in a Range object.. /// - internal static string Range_Argument - { - get - { + internal static string Range_Argument { + get { return ResourceManager.GetString("Range_Argument", resourceCulture); } } - + /// /// Looks up a localized string similar to This is a null range.. /// - internal static string Range_NullRange - { - get - { + internal static string Range_NullRange { + get { return ResourceManager.GetString("Range_NullRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Collection was modified; enumeration operation might not execute.. /// - internal static string RbTree_EnumerationBroken - { - get - { + internal static string RbTree_EnumerationBroken { + get { return ResourceManager.GetString("RbTree_EnumerationBroken", resourceCulture); } } - + /// /// Looks up a localized string similar to DataTable internal index is corrupted: '{0}'.. /// - internal static string RbTree_InvalidState - { - get - { + internal static string RbTree_InvalidState { + get { return ResourceManager.GetString("RbTree_InvalidState", resourceCulture); } } - + /// /// Looks up a localized string similar to MinimumCapacity must be non-negative.. /// - internal static string RecordManager_MinimumCapacity - { - get - { + internal static string RecordManager_MinimumCapacity { + get { return ResourceManager.GetString("RecordManager_MinimumCapacity", resourceCulture); } } - + /// /// Looks up a localized string similar to Security Warning: The negotiated {0} is an insecure protocol and is supported for backward compatibility only. The recommended protocol version is TLS 1.2 and later.. /// - internal static string SEC_ProtocolWarning - { - get - { + internal static string SEC_ProtocolWarning { + get { return ResourceManager.GetString("SEC_ProtocolWarning", resourceCulture); } } - + /// /// Looks up a localized string similar to I/O Error detected in read/write operation. /// - internal static string SNI_ERROR_1 - { - get - { + internal static string SNI_ERROR_1 { + get { return ResourceManager.GetString("SNI_ERROR_1", resourceCulture); } } - + /// /// Looks up a localized string similar to . /// - internal static string SNI_ERROR_10 - { - get - { + internal static string SNI_ERROR_10 { + get { return ResourceManager.GetString("SNI_ERROR_10", resourceCulture); } } - + /// /// Looks up a localized string similar to Timeout error. /// - internal static string SNI_ERROR_11 - { - get - { + internal static string SNI_ERROR_11 { + get { return ResourceManager.GetString("SNI_ERROR_11", resourceCulture); } } - + /// /// Looks up a localized string similar to No server name supplied. /// - internal static string SNI_ERROR_12 - { - get - { + internal static string SNI_ERROR_12 { + get { return ResourceManager.GetString("SNI_ERROR_12", resourceCulture); } } - + /// /// Looks up a localized string similar to TerminateListener() has been called. /// - internal static string SNI_ERROR_13 - { - get - { + internal static string SNI_ERROR_13 { + get { return ResourceManager.GetString("SNI_ERROR_13", resourceCulture); } } - + /// /// Looks up a localized string similar to Win9x not supported. /// - internal static string SNI_ERROR_14 - { - get - { + internal static string SNI_ERROR_14 { + get { return ResourceManager.GetString("SNI_ERROR_14", resourceCulture); } } - + /// /// Looks up a localized string similar to Function not supported. /// - internal static string SNI_ERROR_15 - { - get - { + internal static string SNI_ERROR_15 { + get { return ResourceManager.GetString("SNI_ERROR_15", resourceCulture); } } - + /// /// Looks up a localized string similar to Shared-Memory heap error. /// - internal static string SNI_ERROR_16 - { - get - { + internal static string SNI_ERROR_16 { + get { return ResourceManager.GetString("SNI_ERROR_16", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot find an ip/ipv6 type address to connect. /// - internal static string SNI_ERROR_17 - { - get - { + internal static string SNI_ERROR_17 { + get { return ResourceManager.GetString("SNI_ERROR_17", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection has been closed by peer. /// - internal static string SNI_ERROR_18 - { - get - { + internal static string SNI_ERROR_18 { + get { return ResourceManager.GetString("SNI_ERROR_18", resourceCulture); } } - + /// /// Looks up a localized string similar to Physical connection is not usable. /// - internal static string SNI_ERROR_19 - { - get - { + internal static string SNI_ERROR_19 { + get { return ResourceManager.GetString("SNI_ERROR_19", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection was terminated. /// - internal static string SNI_ERROR_2 - { - get - { + internal static string SNI_ERROR_2 { + get { return ResourceManager.GetString("SNI_ERROR_2", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection has been closed. /// - internal static string SNI_ERROR_20 - { - get - { + internal static string SNI_ERROR_20 { + get { return ResourceManager.GetString("SNI_ERROR_20", resourceCulture); } } - + /// /// Looks up a localized string similar to Encryption is enforced but there is no valid certificate. /// - internal static string SNI_ERROR_21 - { - get - { + internal static string SNI_ERROR_21 { + get { return ResourceManager.GetString("SNI_ERROR_21", resourceCulture); } } - + /// /// Looks up a localized string similar to Couldn't load library. /// - internal static string SNI_ERROR_22 - { - get - { + internal static string SNI_ERROR_22 { + get { return ResourceManager.GetString("SNI_ERROR_22", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot open a new thread in server process. /// - internal static string SNI_ERROR_23 - { - get - { + internal static string SNI_ERROR_23 { + get { return ResourceManager.GetString("SNI_ERROR_23", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot post event to completion port. /// - internal static string SNI_ERROR_24 - { - get - { + internal static string SNI_ERROR_24 { + get { return ResourceManager.GetString("SNI_ERROR_24", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection string is not valid. /// - internal static string SNI_ERROR_25 - { - get - { + internal static string SNI_ERROR_25 { + get { return ResourceManager.GetString("SNI_ERROR_25", resourceCulture); } } - + /// /// Looks up a localized string similar to Error Locating Server/Instance Specified. /// - internal static string SNI_ERROR_26 - { - get - { + internal static string SNI_ERROR_26 { + get { return ResourceManager.GetString("SNI_ERROR_26", resourceCulture); } } - + /// /// Looks up a localized string similar to Error getting enabled protocols list from registry. /// - internal static string SNI_ERROR_27 - { - get - { + internal static string SNI_ERROR_27 { + get { return ResourceManager.GetString("SNI_ERROR_27", resourceCulture); } } - + /// /// Looks up a localized string similar to Server doesn't support requested protocol. /// - internal static string SNI_ERROR_28 - { - get - { + internal static string SNI_ERROR_28 { + get { return ResourceManager.GetString("SNI_ERROR_28", resourceCulture); } } - + /// /// Looks up a localized string similar to Shared Memory is not supported for clustered server connectivity. /// - internal static string SNI_ERROR_29 - { - get - { + internal static string SNI_ERROR_29 { + get { return ResourceManager.GetString("SNI_ERROR_29", resourceCulture); } } - + /// /// Looks up a localized string similar to Asynchronous operations not supported. /// - internal static string SNI_ERROR_3 - { - get - { + internal static string SNI_ERROR_3 { + get { return ResourceManager.GetString("SNI_ERROR_3", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt bind to shared memory segment. /// - internal static string SNI_ERROR_30 - { - get - { + internal static string SNI_ERROR_30 { + get { return ResourceManager.GetString("SNI_ERROR_30", resourceCulture); } } - + /// /// Looks up a localized string similar to Encryption(ssl/tls) handshake failed. /// - internal static string SNI_ERROR_31 - { - get - { + internal static string SNI_ERROR_31 { + get { return ResourceManager.GetString("SNI_ERROR_31", resourceCulture); } } - + /// /// Looks up a localized string similar to Packet size too large for SSL Encrypt/Decrypt operations. /// - internal static string SNI_ERROR_32 - { - get - { + internal static string SNI_ERROR_32 { + get { return ResourceManager.GetString("SNI_ERROR_32", resourceCulture); } } - + /// /// Looks up a localized string similar to SSRP error. /// - internal static string SNI_ERROR_33 - { - get - { + internal static string SNI_ERROR_33 { + get { return ResourceManager.GetString("SNI_ERROR_33", resourceCulture); } } - + /// /// Looks up a localized string similar to Could not connect to the Shared Memory pipe. /// - internal static string SNI_ERROR_34 - { - get - { + internal static string SNI_ERROR_34 { + get { return ResourceManager.GetString("SNI_ERROR_34", resourceCulture); } } - + /// /// Looks up a localized string similar to An internal exception was caught. /// - internal static string SNI_ERROR_35 - { - get - { + internal static string SNI_ERROR_35 { + get { return ResourceManager.GetString("SNI_ERROR_35", resourceCulture); } } - + /// /// Looks up a localized string similar to The Shared Memory dll used to connect to SQL Server 2000 was not found. /// - internal static string SNI_ERROR_36 - { - get - { + internal static string SNI_ERROR_36 { + get { return ResourceManager.GetString("SNI_ERROR_36", resourceCulture); } } - + /// /// Looks up a localized string similar to The SQL Server 2000 Shared Memory client dll appears to be invalid/corrupted. /// - internal static string SNI_ERROR_37 - { - get - { + internal static string SNI_ERROR_37 { + get { return ResourceManager.GetString("SNI_ERROR_37", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot open a Shared Memory connection to SQL Server 2000. /// - internal static string SNI_ERROR_38 - { - get - { + internal static string SNI_ERROR_38 { + get { return ResourceManager.GetString("SNI_ERROR_38", resourceCulture); } } - + /// /// Looks up a localized string similar to Shared memory connectivity to SQL Server 2000 is either disabled or not available on this machine. /// - internal static string SNI_ERROR_39 - { - get - { + internal static string SNI_ERROR_39 { + get { return ResourceManager.GetString("SNI_ERROR_39", resourceCulture); } } - + /// /// Looks up a localized string similar to . /// - internal static string SNI_ERROR_4 - { - get - { + internal static string SNI_ERROR_4 { + get { return ResourceManager.GetString("SNI_ERROR_4", resourceCulture); } } - + /// /// Looks up a localized string similar to Could not open a connection to SQL Server. /// - internal static string SNI_ERROR_40 - { - get - { + internal static string SNI_ERROR_40 { + get { return ResourceManager.GetString("SNI_ERROR_40", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot open a Shared Memory connection to a remote SQL server. /// - internal static string SNI_ERROR_41 - { - get - { + internal static string SNI_ERROR_41 { + get { return ResourceManager.GetString("SNI_ERROR_41", resourceCulture); } } - + /// /// Looks up a localized string similar to Could not establish dedicated administrator connection (DAC) on default port. Make sure that DAC is enabled. /// - internal static string SNI_ERROR_42 - { - get - { + internal static string SNI_ERROR_42 { + get { return ResourceManager.GetString("SNI_ERROR_42", resourceCulture); } } - + /// /// Looks up a localized string similar to An error occurred while obtaining the dedicated administrator connection (DAC) port. Make sure that SQL Browser is running, or check the error log for the port number. /// - internal static string SNI_ERROR_43 - { - get - { + internal static string SNI_ERROR_43 { + get { return ResourceManager.GetString("SNI_ERROR_43", resourceCulture); } } - + /// /// Looks up a localized string similar to Could not compose Service Principal Name (SPN) for Windows Integrated Authentication. Possible causes are server(s) incorrectly specified to connection API calls, Domain Name System (DNS) lookup failure or memory shortage. /// - internal static string SNI_ERROR_44 - { - get - { + internal static string SNI_ERROR_44 { + get { return ResourceManager.GetString("SNI_ERROR_44", resourceCulture); } } - + /// /// Looks up a localized string similar to Connecting with the MultiSubnetFailover connection option to a SQL Server instance configured with more than 64 IP addresses is not supported.. /// - internal static string SNI_ERROR_47 - { - get - { + internal static string SNI_ERROR_47 { + get { return ResourceManager.GetString("SNI_ERROR_47", resourceCulture); } } - + /// /// Looks up a localized string similar to Connecting to a named SQL Server instance using the MultiSubnetFailover connection option is not supported.. /// - internal static string SNI_ERROR_48 - { - get - { + internal static string SNI_ERROR_48 { + get { return ResourceManager.GetString("SNI_ERROR_48", resourceCulture); } } - + /// /// Looks up a localized string similar to Connecting to a SQL Server instance using the MultiSubnetFailover connection option is only supported when using the TCP protocol.. /// - internal static string SNI_ERROR_49 - { - get - { + internal static string SNI_ERROR_49 { + get { return ResourceManager.GetString("SNI_ERROR_49", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid parameter(s) found. /// - internal static string SNI_ERROR_5 - { - get - { + internal static string SNI_ERROR_5 { + get { return ResourceManager.GetString("SNI_ERROR_5", resourceCulture); } } - + /// /// Looks up a localized string similar to Local Database Runtime error occurred. . /// - internal static string SNI_ERROR_50 - { - get - { + internal static string SNI_ERROR_50 { + get { return ResourceManager.GetString("SNI_ERROR_50", resourceCulture); } } - + /// /// Looks up a localized string similar to An instance name was not specified while connecting to a Local Database Runtime. Specify an instance name in the format (localdb)\instance_name.. /// - internal static string SNI_ERROR_51 - { - get - { + internal static string SNI_ERROR_51 { + get { return ResourceManager.GetString("SNI_ERROR_51", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to locate a Local Database Runtime installation. Verify that SQL Server Express is properly installed and that the Local Database Runtime feature is enabled.. /// - internal static string SNI_ERROR_52 - { - get - { + internal static string SNI_ERROR_52 { + get { return ResourceManager.GetString("SNI_ERROR_52", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid Local Database Runtime registry configuration found. Verify that SQL Server Express is properly installed.. /// - internal static string SNI_ERROR_53 - { - get - { + internal static string SNI_ERROR_53 { + get { return ResourceManager.GetString("SNI_ERROR_53", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to locate the registry entry for SQLUserInstance.dll file path. Verify that the Local Database Runtime feature of SQL Server Express is properly installed.. /// - internal static string SNI_ERROR_54 - { - get - { + internal static string SNI_ERROR_54 { + get { return ResourceManager.GetString("SNI_ERROR_54", resourceCulture); } } - + /// /// Looks up a localized string similar to Registry value contains an invalid SQLUserInstance.dll file path. Verify that the Local Database Runtime feature of SQL Server Express is properly installed.. /// - internal static string SNI_ERROR_55 - { - get - { + internal static string SNI_ERROR_55 { + get { return ResourceManager.GetString("SNI_ERROR_55", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to load the SQLUserInstance.dll from the location specified in the registry. Verify that the Local Database Runtime feature of SQL Server Express is properly installed.. /// - internal static string SNI_ERROR_56 - { - get - { + internal static string SNI_ERROR_56 { + get { return ResourceManager.GetString("SNI_ERROR_56", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid SQLUserInstance.dll found at the location specified in the registry. Verify that the Local Database Runtime feature of SQL Server Express is properly installed.. /// - internal static string SNI_ERROR_57 - { - get - { + internal static string SNI_ERROR_57 { + get { return ResourceManager.GetString("SNI_ERROR_57", resourceCulture); } } - + /// /// Looks up a localized string similar to Unsupported protocol specified. /// - internal static string SNI_ERROR_6 - { - get - { + internal static string SNI_ERROR_6 { + get { return ResourceManager.GetString("SNI_ERROR_6", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid connection found when setting up new session protocol. /// - internal static string SNI_ERROR_7 - { - get - { + internal static string SNI_ERROR_7 { + get { return ResourceManager.GetString("SNI_ERROR_7", resourceCulture); } } - + /// /// Looks up a localized string similar to Protocol not supported. /// - internal static string SNI_ERROR_8 - { - get - { + internal static string SNI_ERROR_8 { + get { return ResourceManager.GetString("SNI_ERROR_8", resourceCulture); } } - + /// /// Looks up a localized string similar to Associating port with I/O completion mechanism failed. /// - internal static string SNI_ERROR_9 - { - get - { + internal static string SNI_ERROR_9 { + get { return ResourceManager.GetString("SNI_ERROR_9", resourceCulture); } } - + /// /// Looks up a localized string similar to HTTP Provider. /// - internal static string SNI_PN0 - { - get - { + internal static string SNI_PN0 { + get { return ResourceManager.GetString("SNI_PN0", resourceCulture); } } - + /// /// Looks up a localized string similar to Named Pipes Provider. /// - internal static string SNI_PN1 - { - get - { + internal static string SNI_PN1 { + get { return ResourceManager.GetString("SNI_PN1", resourceCulture); } } - + /// /// Looks up a localized string similar to . /// - internal static string SNI_PN10 - { - get - { + internal static string SNI_PN10 { + get { return ResourceManager.GetString("SNI_PN10", resourceCulture); } } - + /// /// Looks up a localized string similar to SQL Network Interfaces. /// - internal static string SNI_PN11 - { - get - { + internal static string SNI_PN11 { + get { return ResourceManager.GetString("SNI_PN11", resourceCulture); } } - + /// /// Looks up a localized string similar to Session Provider. /// - internal static string SNI_PN2 - { - get - { + internal static string SNI_PN2 { + get { return ResourceManager.GetString("SNI_PN2", resourceCulture); } } - + /// /// Looks up a localized string similar to Sign Provider. /// - internal static string SNI_PN3 - { - get - { + internal static string SNI_PN3 { + get { return ResourceManager.GetString("SNI_PN3", resourceCulture); } } - + /// /// Looks up a localized string similar to Shared Memory Provider. /// - internal static string SNI_PN4 - { - get - { + internal static string SNI_PN4 { + get { return ResourceManager.GetString("SNI_PN4", resourceCulture); } } - + /// /// Looks up a localized string similar to SMux Provider. /// - internal static string SNI_PN5 - { - get - { + internal static string SNI_PN5 { + get { return ResourceManager.GetString("SNI_PN5", resourceCulture); } } - + /// /// Looks up a localized string similar to SSL Provider. /// - internal static string SNI_PN6 - { - get - { + internal static string SNI_PN6 { + get { return ResourceManager.GetString("SNI_PN6", resourceCulture); } } - + /// /// Looks up a localized string similar to TCP Provider. /// - internal static string SNI_PN7 - { - get - { + internal static string SNI_PN7 { + get { return ResourceManager.GetString("SNI_PN7", resourceCulture); } } - + /// /// Looks up a localized string similar to VIA Provider. /// - internal static string SNI_PN8 - { - get - { + internal static string SNI_PN8 { + get { return ResourceManager.GetString("SNI_PN8", resourceCulture); } } - + /// /// Looks up a localized string similar to CTAIP Provider. /// - internal static string SNI_PN9 - { - get - { + internal static string SNI_PN9 { + get { return ResourceManager.GetString("SNI_PN9", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection open and login was successful, but then an error occurred while enlisting the connection into the current distributed transaction.. /// - internal static string Snix_AutoEnlist - { - get - { + internal static string Snix_AutoEnlist { + get { return ResourceManager.GetString("Snix_AutoEnlist", resourceCulture); } } - + /// /// Looks up a localized string similar to A transport-level error has occurred during connection clean-up.. /// - internal static string Snix_Close - { - get - { + internal static string Snix_Close { + get { return ResourceManager.GetString("Snix_Close", resourceCulture); } } - + /// /// Looks up a localized string similar to A network-related or instance-specific error occurred while establishing a connection to SQL Server. The server was not found or was not accessible. Verify that the instance name is correct and that SQL Server is configured to allow remote connections.. /// - internal static string Snix_Connect - { - get - { + internal static string Snix_Connect { + get { return ResourceManager.GetString("Snix_Connect", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection open and login was successful, but then an error occurred while enabling MARS for this connection.. /// - internal static string Snix_EnableMars - { - get - { + internal static string Snix_EnableMars { + get { return ResourceManager.GetString("Snix_EnableMars", resourceCulture); } } - + /// /// Looks up a localized string similar to A transport-level error has occurred when sending the request to the server.. /// - internal static string Snix_Execute - { - get - { + internal static string Snix_Execute { + get { return ResourceManager.GetString("Snix_Execute", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to establish a MARS session in preparation to send the request to the server.. /// - internal static string Snix_GetMarsSession - { - get - { + internal static string Snix_GetMarsSession { + get { return ResourceManager.GetString("Snix_GetMarsSession", resourceCulture); } } - + /// /// Looks up a localized string similar to A connection was successfully established with the server, but then an error occurred during the login process.. /// - internal static string Snix_Login - { - get - { + internal static string Snix_Login { + get { return ResourceManager.GetString("Snix_Login", resourceCulture); } } - + /// /// Looks up a localized string similar to A connection was successfully established with the server, but then an error occurred when obtaining the security/SSPI context information for integrated security login.. /// - internal static string Snix_LoginSspi - { - get - { + internal static string Snix_LoginSspi { + get { return ResourceManager.GetString("Snix_LoginSspi", resourceCulture); } } - + /// /// Looks up a localized string similar to A connection was successfully established with the server, but then an error occurred during the pre-login handshake.. /// - internal static string Snix_PreLogin - { - get - { + internal static string Snix_PreLogin { + get { return ResourceManager.GetString("Snix_PreLogin", resourceCulture); } } - + /// /// Looks up a localized string similar to The client was unable to establish a connection because of an error during connection initialization process before login. Possible causes include the following: the client tried to connect to an unsupported version of SQL Server; the server was too busy to accept new connections; or there was a resource limitation (insufficient memory or maximum allowed connections) on the server.. /// - internal static string Snix_PreLoginBeforeSuccessfullWrite - { - get - { + internal static string Snix_PreLoginBeforeSuccessfullWrite { + get { return ResourceManager.GetString("Snix_PreLoginBeforeSuccessfullWrite", resourceCulture); } } - + /// /// Looks up a localized string similar to A transport-level error has occurred during SSPI handshake.. /// - internal static string Snix_ProcessSspi - { - get - { + internal static string Snix_ProcessSspi { + get { return ResourceManager.GetString("Snix_ProcessSspi", resourceCulture); } } - + /// /// Looks up a localized string similar to A transport-level error has occurred when receiving results from the server.. /// - internal static string Snix_Read - { - get - { + internal static string Snix_Read { + get { return ResourceManager.GetString("Snix_Read", resourceCulture); } } - + /// /// Looks up a localized string similar to A transport-level error has occurred while sending information to the server.. /// - internal static string Snix_SendRows - { - get - { + internal static string Snix_SendRows { + get { return ResourceManager.GetString("Snix_SendRows", resourceCulture); } } - + /// /// Looks up a localized string similar to The length of '{0}' must match the length of '{1}'.. /// - internal static string SQL_ArgumentLengthMismatch - { - get - { + internal static string SQL_ArgumentLengthMismatch { + get { return ResourceManager.GetString("SQL_ArgumentLengthMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to This command requires an asynchronous connection. Set "Asynchronous Processing=true" in the connection string.. /// - internal static string SQL_AsyncConnectionRequired - { - get - { + internal static string SQL_AsyncConnectionRequired { + get { return ResourceManager.GetString("SQL_AsyncConnectionRequired", resourceCulture); } } - + /// /// Looks up a localized string similar to The asynchronous operation has already completed.. /// - internal static string SQL_AsyncOperationCompleted - { - get - { + internal static string SQL_AsyncOperationCompleted { + get { return ResourceManager.GetString("SQL_AsyncOperationCompleted", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use 'Authentication' with 'Integrated Security'.. /// - internal static string SQL_AuthenticationAndIntegratedSecurity - { - get - { + internal static string SQL_AuthenticationAndIntegratedSecurity { + get { return ResourceManager.GetString("SQL_AuthenticationAndIntegratedSecurity", resourceCulture); } } - + /// /// Looks up a localized string similar to Batching updates is not supported on the context connection.. /// - internal static string SQL_BatchedUpdatesNotAvailableOnContextConnection - { - get - { + internal static string SQL_BatchedUpdatesNotAvailableOnContextConnection { + get { return ResourceManager.GetString("SQL_BatchedUpdatesNotAvailableOnContextConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlBulkCopy.WriteToServer failed because the SqlBulkCopy.DestinationTableName is an invalid multipart name. /// - internal static string SQL_BulkCopyDestinationTableName - { - get - { + internal static string SQL_BulkCopyDestinationTableName { + get { return ResourceManager.GetString("SQL_BulkCopyDestinationTableName", resourceCulture); } } - + /// /// Looks up a localized string similar to The given value{0} of type {1} from the data source cannot be converted to type {2} for Column {3} [{4}] Row {5}.. /// - internal static string SQL_BulkLoadCannotConvertValue - { - get - { + internal static string SQL_BulkLoadCannotConvertValue { + get { return ResourceManager.GetString("SQL_BulkLoadCannotConvertValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The given value{0} of type {1} from the data source cannot be converted to type {2} for Column {3} [{4}].. /// - internal static string SQL_BulkLoadCannotConvertValueWithoutRowNo - { - get - { + internal static string SQL_BulkLoadCannotConvertValueWithoutRowNo { + get { return ResourceManager.GetString("SQL_BulkLoadCannotConvertValueWithoutRowNo", resourceCulture); } } - + /// /// Looks up a localized string similar to Must not specify SqlBulkCopyOption.UseInternalTransaction and pass an external Transaction at the same time.. /// - internal static string SQL_BulkLoadConflictingTransactionOption - { - get - { + internal static string SQL_BulkLoadConflictingTransactionOption { + get { return ResourceManager.GetString("SQL_BulkLoadConflictingTransactionOption", resourceCulture); } } - + /// /// Looks up a localized string similar to Unexpected existing transaction.. /// - internal static string SQL_BulkLoadExistingTransaction - { - get - { + internal static string SQL_BulkLoadExistingTransaction { + get { return ResourceManager.GetString("SQL_BulkLoadExistingTransaction", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot access destination table '{0}'.. /// - internal static string SQL_BulkLoadInvalidDestinationTable - { - get - { + internal static string SQL_BulkLoadInvalidDestinationTable { + get { return ResourceManager.GetString("SQL_BulkLoadInvalidDestinationTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Function must not be called during event.. /// - internal static string SQL_BulkLoadInvalidOperationInsideEvent - { - get - { + internal static string SQL_BulkLoadInvalidOperationInsideEvent { + get { return ResourceManager.GetString("SQL_BulkLoadInvalidOperationInsideEvent", resourceCulture); } } - + /// /// Looks up a localized string similar to The given column order hint is not valid.. /// - internal static string SQL_BulkLoadInvalidOrderHint - { - get - { + internal static string SQL_BulkLoadInvalidOrderHint { + get { return ResourceManager.GetString("SQL_BulkLoadInvalidOrderHint", resourceCulture); } } - + /// /// Looks up a localized string similar to Timeout Value '{0}' is less than 0.. /// - internal static string SQL_BulkLoadInvalidTimeout - { - get - { + internal static string SQL_BulkLoadInvalidTimeout { + get { return ResourceManager.GetString("SQL_BulkLoadInvalidTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to Value cannot be converted to SqlVariant.. /// - internal static string SQL_BulkLoadInvalidVariantValue - { - get - { + internal static string SQL_BulkLoadInvalidVariantValue { + get { return ResourceManager.GetString("SQL_BulkLoadInvalidVariantValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The locale id '{0}' of the source column '{1}' and the locale id '{2}' of the destination column '{3}' do not match.. /// - internal static string Sql_BulkLoadLcidMismatch - { - get - { + internal static string Sql_BulkLoadLcidMismatch { + get { return ResourceManager.GetString("Sql_BulkLoadLcidMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to The mapped collection is in use and cannot be accessed at this time;. /// - internal static string SQL_BulkLoadMappingInaccessible - { - get - { + internal static string SQL_BulkLoadMappingInaccessible { + get { return ResourceManager.GetString("SQL_BulkLoadMappingInaccessible", resourceCulture); } } - + /// /// Looks up a localized string similar to Mappings must be either all name or all ordinal based.. /// - internal static string SQL_BulkLoadMappingsNamesOrOrdinalsOnly - { - get - { + internal static string SQL_BulkLoadMappingsNamesOrOrdinalsOnly { + get { return ResourceManager.GetString("SQL_BulkLoadMappingsNamesOrOrdinalsOnly", resourceCulture); } } - + /// /// Looks up a localized string similar to The DestinationTableName property must be set before calling this method.. /// - internal static string SQL_BulkLoadMissingDestinationTable - { - get - { + internal static string SQL_BulkLoadMissingDestinationTable { + get { return ResourceManager.GetString("SQL_BulkLoadMissingDestinationTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to obtain column collation information for the destination table. If the table is not in the current database the name must be qualified using the database name (e.g. [mydb]..[mytable](e.g. [mydb]..[mytable]); this also applies to temporary-tables (e.g. #mytable would be specified as tempdb..#mytable).. /// - internal static string SQL_BulkLoadNoCollation - { - get - { + internal static string SQL_BulkLoadNoCollation { + get { return ResourceManager.GetString("SQL_BulkLoadNoCollation", resourceCulture); } } - + /// /// Looks up a localized string similar to The given ColumnMapping does not match up with any column in the source or destination.. /// - internal static string SQL_BulkLoadNonMatchingColumnMapping - { - get - { + internal static string SQL_BulkLoadNonMatchingColumnMapping { + get { return ResourceManager.GetString("SQL_BulkLoadNonMatchingColumnMapping", resourceCulture); } } - + /// /// Looks up a localized string similar to The given ColumnName '{0}' does not match up with any column in data source.. /// - internal static string SQL_BulkLoadNonMatchingColumnName - { - get - { + internal static string SQL_BulkLoadNonMatchingColumnName { + get { return ResourceManager.GetString("SQL_BulkLoadNonMatchingColumnName", resourceCulture); } } - + /// /// Looks up a localized string similar to Column '{0}' does not allow DBNull.Value.. /// - internal static string SQL_BulkLoadNotAllowDBNull - { - get - { + internal static string SQL_BulkLoadNotAllowDBNull { + get { return ResourceManager.GetString("SQL_BulkLoadNotAllowDBNull", resourceCulture); } } - + /// /// Looks up a localized string similar to The column '{0}' was specified more than once.. /// - internal static string SQL_BulkLoadOrderHintDuplicateColumn - { - get - { + internal static string SQL_BulkLoadOrderHintDuplicateColumn { + get { return ResourceManager.GetString("SQL_BulkLoadOrderHintDuplicateColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to The sorted column '{0}' is not valid in the destination table.. /// - internal static string SQL_BulkLoadOrderHintInvalidColumn - { - get - { + internal static string SQL_BulkLoadOrderHintInvalidColumn { + get { return ResourceManager.GetString("SQL_BulkLoadOrderHintInvalidColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to Attempt to invoke bulk copy on an object that has a pending operation.. /// - internal static string SQL_BulkLoadPendingOperation - { - get - { + internal static string SQL_BulkLoadPendingOperation { + get { return ResourceManager.GetString("SQL_BulkLoadPendingOperation", resourceCulture); } } - + /// /// Looks up a localized string similar to String or binary data would be truncated in table '{0}', column '{1}'. Truncated value: '{2}'.. /// - internal static string SQL_BulkLoadStringTooLong - { - get - { + internal static string SQL_BulkLoadStringTooLong { + get { return ResourceManager.GetString("SQL_BulkLoadStringTooLong", resourceCulture); } } - + /// /// Looks up a localized string similar to A column order hint cannot have an unspecified sort order.. /// - internal static string SQL_BulkLoadUnspecifiedSortOrder - { - get - { + internal static string SQL_BulkLoadUnspecifiedSortOrder { + get { return ResourceManager.GetString("SQL_BulkLoadUnspecifiedSortOrder", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to instantiate a SqlAuthenticationInitializer with type '{0}'.. /// - internal static string SQL_CannotCreateAuthInitializer - { - get - { + internal static string SQL_CannotCreateAuthInitializer { + get { return ResourceManager.GetString("SQL_CannotCreateAuthInitializer", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to instantiate an authentication provider with type '{1}' for '{0}'.. /// - internal static string SQL_CannotCreateAuthProvider - { - get - { + internal static string SQL_CannotCreateAuthProvider { + get { return ResourceManager.GetString("SQL_CannotCreateAuthProvider", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot find an authentication provider for '{0}'.. /// - internal static string SQL_CannotFindAuthProvider - { - get - { + internal static string SQL_CannotFindAuthProvider { + get { return ResourceManager.GetString("SQL_CannotFindAuthProvider", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to read the config section for authentication providers.. /// - internal static string SQL_CannotGetAuthProviderConfig - { - get - { + internal static string SQL_CannotGetAuthProviderConfig { + get { return ResourceManager.GetString("SQL_CannotGetAuthProviderConfig", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to get the address of the distributed transaction coordinator for the server, from the server. Is DTC enabled on the server?. /// - internal static string SQL_CannotGetDTCAddress - { - get - { + internal static string SQL_CannotGetDTCAddress { + get { return ResourceManager.GetString("SQL_CannotGetDTCAddress", resourceCulture); } } - + /// /// Looks up a localized string similar to The provider '{0}' threw an exception while initializing.. /// - internal static string SQL_CannotInitializeAuthProvider - { - get - { + internal static string SQL_CannotInitializeAuthProvider { + get { return ResourceManager.GetString("SQL_CannotInitializeAuthProvider", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} cannot be changed while async operation is in progress.. /// - internal static string SQL_CannotModifyPropertyAsyncOperationInProgress - { - get - { + internal static string SQL_CannotModifyPropertyAsyncOperationInProgress { + get { return ResourceManager.GetString("SQL_CannotModifyPropertyAsyncOperationInProgress", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot create normalizer for '{0}'.. /// - internal static string Sql_CanotCreateNormalizer - { - get - { + internal static string Sql_CanotCreateNormalizer { + get { return ResourceManager.GetString("Sql_CanotCreateNormalizer", resourceCulture); } } - + /// /// Looks up a localized string similar to Incorrect authentication parameters specified with certificate authentication.. /// - internal static string SQL_Certificate - { - get - { + internal static string SQL_Certificate { + get { return ResourceManager.GetString("SQL_Certificate", resourceCulture); } } - + /// /// Looks up a localized string similar to The '{0}' argument must not be null or empty.. /// - internal static string SQL_ChangePasswordArgumentMissing - { - get - { + internal static string SQL_ChangePasswordArgumentMissing { + get { return ResourceManager.GetString("SQL_ChangePasswordArgumentMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to ChangePassword can only be used with SQL authentication, not with integrated security.. /// - internal static string SQL_ChangePasswordConflictsWithSSPI - { - get - { + internal static string SQL_ChangePasswordConflictsWithSSPI { + get { return ResourceManager.GetString("SQL_ChangePasswordConflictsWithSSPI", resourceCulture); } } - + /// /// Looks up a localized string similar to ChangePassword requires SQL Server 9.0 or later.. /// - internal static string SQL_ChangePasswordRequiresYukon - { - get - { + internal static string SQL_ChangePasswordRequiresYukon { + get { return ResourceManager.GetString("SQL_ChangePasswordRequiresYukon", resourceCulture); } } - + /// /// Looks up a localized string similar to The keyword '{0}' must not be specified in the connectionString argument to ChangePassword.. /// - internal static string SQL_ChangePasswordUseOfUnallowedKey - { - get - { + internal static string SQL_ChangePasswordUseOfUnallowedKey { + get { return ResourceManager.GetString("SQL_ChangePasswordUseOfUnallowedKey", resourceCulture); } } - + /// /// Looks up a localized string similar to The requested operation cannot be completed because the connection has been broken.. /// - internal static string SQL_ConnectionDoomed - { - get - { + internal static string SQL_ConnectionDoomed { + get { return ResourceManager.GetString("SQL_ConnectionDoomed", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection cannot be used because there is an ongoing operation that must be finished.. /// - internal static string SQL_ConnectionLockedForBcpEvent - { - get - { + internal static string SQL_ConnectionLockedForBcpEvent { + get { return ResourceManager.GetString("SQL_ConnectionLockedForBcpEvent", resourceCulture); } } - + /// /// Looks up a localized string similar to The only additional connection string keyword that may be used when requesting the context connection is the Type System Version keyword.. /// - internal static string SQL_ContextAllowsLimitedKeywords - { - get - { + internal static string SQL_ContextAllowsLimitedKeywords { + get { return ResourceManager.GetString("SQL_ContextAllowsLimitedKeywords", resourceCulture); } } - + /// /// Looks up a localized string similar to The context connection does not support Type System Version=SQL Server 2000.. /// - internal static string SQL_ContextAllowsOnlyTypeSystem2005 - { - get - { + internal static string SQL_ContextAllowsOnlyTypeSystem2005 { + get { return ResourceManager.GetString("SQL_ContextAllowsOnlyTypeSystem2005", resourceCulture); } } - + /// /// Looks up a localized string similar to The context connection is already in use.. /// - internal static string SQL_ContextConnectionIsInUse - { - get - { + internal static string SQL_ContextConnectionIsInUse { + get { return ResourceManager.GetString("SQL_ContextConnectionIsInUse", resourceCulture); } } - + /// /// Looks up a localized string similar to The requested operation requires a SqlClr context, which is only available when running in the Sql Server process.. /// - internal static string SQL_ContextUnavailableOutOfProc - { - get - { + internal static string SQL_ContextUnavailableOutOfProc { + get { return ResourceManager.GetString("SQL_ContextUnavailableOutOfProc", resourceCulture); } } - + /// /// Looks up a localized string similar to The requested operation requires a Sql Server execution thread. The current thread was started by user code or other non-Sql Server engine code.. /// - internal static string SQL_ContextUnavailableWhileInProc - { - get - { + internal static string SQL_ContextUnavailableWhileInProc { + get { return ResourceManager.GetString("SQL_ContextUnavailableWhileInProc", resourceCulture); } } - + /// /// Looks up a localized string similar to Either Credential or both 'User ID' and 'Password' (or 'UID' and 'PWD') connection string keywords must be specified, if 'Authentication={0}'.. /// - internal static string SQL_CredentialsNotProvided - { - get - { + internal static string SQL_CredentialsNotProvided { + get { return ResourceManager.GetString("SQL_CredentialsNotProvided", resourceCulture); } } - + /// /// Looks up a localized string similar to The instance of SQL Server you attempted to connect to does not support CTAIP.. /// - internal static string SQL_CTAIPNotSupportedByServer - { - get - { + internal static string SQL_CTAIPNotSupportedByServer { + get { return ResourceManager.GetString("SQL_CTAIPNotSupportedByServer", resourceCulture); } } - + /// /// Looks up a localized string similar to The Collation specified by SQL Server is not supported.. /// - internal static string SQL_CultureIdError - { - get - { + internal static string SQL_CultureIdError { + get { return ResourceManager.GetString("SQL_CultureIdError", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use 'Authentication=Active Directory Device Code Flow' with 'User ID', 'UID', 'Password' or 'PWD' connection string keywords.. /// - internal static string SQL_DeviceFlowWithUsernamePassword - { - get - { + internal static string SQL_DeviceFlowWithUsernamePassword { + get { return ResourceManager.GetString("SQL_DeviceFlowWithUsernamePassword", resourceCulture); } } - + /// /// Looks up a localized string similar to The duration spent while attempting to connect to this server was - [Pre-Login] initialization={0}; handshake={1}; [Login] initialization={2}; . /// - internal static string SQL_Duration_Login_Begin - { - get - { + internal static string SQL_Duration_Login_Begin { + get { return ResourceManager.GetString("SQL_Duration_Login_Begin", resourceCulture); } } - + /// /// Looks up a localized string similar to The duration spent while attempting to connect to this server was - [Pre-Login] initialization={0}; handshake={1}; [Login] initialization={2}; authentication={3}; . /// - internal static string SQL_Duration_Login_ProcessConnectionAuth - { - get - { + internal static string SQL_Duration_Login_ProcessConnectionAuth { + get { return ResourceManager.GetString("SQL_Duration_Login_ProcessConnectionAuth", resourceCulture); } } - + /// /// Looks up a localized string similar to The duration spent while attempting to connect to this server was - [Pre-Login] initialization={0}; handshake={1}; [Login] initialization={2}; authentication={3}; [Post-Login] complete={4}; . /// - internal static string SQL_Duration_PostLogin - { - get - { + internal static string SQL_Duration_PostLogin { + get { return ResourceManager.GetString("SQL_Duration_PostLogin", resourceCulture); } } - + /// /// Looks up a localized string similar to The duration spent while attempting to connect to this server was - [Pre-Login] initialization={0};. /// - internal static string SQL_Duration_PreLogin_Begin - { - get - { + internal static string SQL_Duration_PreLogin_Begin { + get { return ResourceManager.GetString("SQL_Duration_PreLogin_Begin", resourceCulture); } } - + /// /// Looks up a localized string similar to The duration spent while attempting to connect to this server was - [Pre-Login] initialization={0}; handshake={1}; . /// - internal static string SQL_Duration_PreLoginHandshake - { - get - { + internal static string SQL_Duration_PreLoginHandshake { + get { return ResourceManager.GetString("SQL_Duration_PreLoginHandshake", resourceCulture); } } - + /// /// Looks up a localized string similar to The instance of SQL Server you attempted to connect to requires encryption but this machine does not support it.. /// - internal static string SQL_EncryptionNotSupportedByClient - { - get - { + internal static string SQL_EncryptionNotSupportedByClient { + get { return ResourceManager.GetString("SQL_EncryptionNotSupportedByClient", resourceCulture); } } - + /// /// Looks up a localized string similar to The instance of SQL Server you attempted to connect to does not support encryption.. /// - internal static string SQL_EncryptionNotSupportedByServer - { - get - { + internal static string SQL_EncryptionNotSupportedByServer { + get { return ResourceManager.GetString("SQL_EncryptionNotSupportedByServer", resourceCulture); } } - + /// /// Looks up a localized string similar to Number of fields in record '{0}' does not match the number in the original record.. /// - internal static string SQL_EnumeratedRecordFieldCountChanged - { - get - { + internal static string SQL_EnumeratedRecordFieldCountChanged { + get { return ResourceManager.GetString("SQL_EnumeratedRecordFieldCountChanged", resourceCulture); } } - + /// /// Looks up a localized string similar to Metadata for field '{0}' of record '{1}' did not match the original record's metadata.. /// - internal static string SQL_EnumeratedRecordMetaDataChanged - { - get - { + internal static string SQL_EnumeratedRecordMetaDataChanged { + get { return ResourceManager.GetString("SQL_EnumeratedRecordMetaDataChanged", resourceCulture); } } - + /// /// Looks up a localized string similar to Specified data length {0} exceeds the allowed maximum length of {1}.. /// - internal static string SQL_ExceedsMaxDataLength - { - get - { + internal static string SQL_ExceedsMaxDataLength { + get { return ResourceManager.GetString("SQL_ExceedsMaxDataLength", resourceCulture); } } - + /// /// Looks up a localized string similar to ClientConnectionId:{0}. /// - internal static string SQL_ExClientConnectionId - { - get - { + internal static string SQL_ExClientConnectionId { + get { return ResourceManager.GetString("SQL_ExClientConnectionId", resourceCulture); } } - + /// /// Looks up a localized string similar to Error Number:{0},State:{1},Class:{2}. /// - internal static string SQL_ExErrorNumberStateClass - { - get - { + internal static string SQL_ExErrorNumberStateClass { + get { return ResourceManager.GetString("SQL_ExErrorNumberStateClass", resourceCulture); } } - + /// /// Looks up a localized string similar to ClientConnectionId before routing:{0}. /// - internal static string SQL_ExOriginalClientConnectionId - { - get - { + internal static string SQL_ExOriginalClientConnectionId { + get { return ResourceManager.GetString("SQL_ExOriginalClientConnectionId", resourceCulture); } } - + /// /// Looks up a localized string similar to Routing Destination:{0}. /// - internal static string SQL_ExRoutingDestination - { - get - { + internal static string SQL_ExRoutingDestination { + get { return ResourceManager.GetString("SQL_ExRoutingDestination", resourceCulture); } } - + /// /// Looks up a localized string similar to Timeout expired. The connection has been broken as a result.. /// - internal static string SQL_FatalTimeout - { - get - { + internal static string SQL_FatalTimeout { + get { return ResourceManager.GetString("SQL_FatalTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to Instance failure.. /// - internal static string SQL_InstanceFailure - { - get - { + internal static string SQL_InstanceFailure { + get { return ResourceManager.GetString("SQL_InstanceFailure", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use 'Authentication=Active Directory Integrated' with 'User ID', 'UID', 'Password' or 'PWD' connection string keywords.. /// - internal static string SQL_IntegratedWithUserIDAndPassword - { - get - { + internal static string SQL_IntegratedWithUserIDAndPassword { + get { return ResourceManager.GetString("SQL_IntegratedWithUserIDAndPassword", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use 'Authentication=Active Directory Interactive' with 'Password' or 'PWD' connection string keywords.. /// - internal static string SQL_InteractiveWithPassword - { - get - { + internal static string SQL_InteractiveWithPassword { + get { return ResourceManager.GetString("SQL_InteractiveWithPassword", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. /// - internal static string Sql_InternalError - { - get - { + internal static string Sql_InternalError { + get { return ResourceManager.GetString("Sql_InternalError", resourceCulture); } } - + /// /// Looks up a localized string similar to Buffer offset '{1}' plus the bytes available '{0}' is greater than the length of the passed in buffer.. /// - internal static string SQL_InvalidBufferSizeOrIndex - { - get - { + internal static string SQL_InvalidBufferSizeOrIndex { + get { return ResourceManager.GetString("SQL_InvalidBufferSizeOrIndex", resourceCulture); } } - + /// /// Looks up a localized string similar to Data length '{0}' is less than 0.. /// - internal static string SQL_InvalidDataLength - { - get - { + internal static string SQL_InvalidDataLength { + get { return ResourceManager.GetString("SQL_InvalidDataLength", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid internal packet size:. /// - internal static string SQL_InvalidInternalPacketSize - { - get - { + internal static string SQL_InvalidInternalPacketSize { + get { return ResourceManager.GetString("SQL_InvalidInternalPacketSize", resourceCulture); } } - + /// /// Looks up a localized string similar to The length of the value for the connection parameter <{0}> exceeds the maximum allowed 65535 characters.. /// - internal static string SQL_InvalidOptionLength - { - get - { + internal static string SQL_InvalidOptionLength { + get { return ResourceManager.GetString("SQL_InvalidOptionLength", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid 'Packet Size'. The value must be an integer >= 512 and <= 32768.. /// - internal static string SQL_InvalidPacketSizeValue - { - get - { + internal static string SQL_InvalidPacketSizeValue { + get { return ResourceManager.GetString("SQL_InvalidPacketSizeValue", resourceCulture); } } - + /// /// Looks up a localized string similar to The length of the parameter '{0}' exceeds the limit of 128 characters.. /// - internal static string SQL_InvalidParameterNameLength - { - get - { + internal static string SQL_InvalidParameterNameLength { + get { return ResourceManager.GetString("SQL_InvalidParameterNameLength", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid 3 part name format for TypeName.. /// - internal static string SQL_InvalidParameterTypeNameFormat - { - get - { + internal static string SQL_InvalidParameterTypeNameFormat { + get { return ResourceManager.GetString("SQL_InvalidParameterTypeNameFormat", resourceCulture); } } - + /// /// Looks up a localized string similar to Server {0}, database {1} is not configured for database mirroring.. /// - internal static string SQL_InvalidPartnerConfiguration - { - get - { + internal static string SQL_InvalidPartnerConfiguration { + get { return ResourceManager.GetString("SQL_InvalidPartnerConfiguration", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to read when no data is present.. /// - internal static string SQL_InvalidRead - { - get - { + internal static string SQL_InvalidRead { + get { return ResourceManager.GetString("SQL_InvalidRead", resourceCulture); } } - + /// /// Looks up a localized string similar to The server certificate failed application validation.. /// - internal static string SQL_InvalidServerCertificate - { - get - { + internal static string SQL_InvalidServerCertificate { + get { return ResourceManager.GetString("SQL_InvalidServerCertificate", resourceCulture); } } - + /// /// Looks up a localized string similar to The SqlDbType '{0}' is invalid for {1}. Only {2} is supported.. /// - internal static string SQL_InvalidSqlDbTypeWithOneAllowedType - { - get - { + internal static string SQL_InvalidSqlDbTypeWithOneAllowedType { + get { return ResourceManager.GetString("SQL_InvalidSqlDbTypeWithOneAllowedType", resourceCulture); } } - + /// /// Looks up a localized string similar to Unsupported SQL Server version. The .NET Framework SqlClient Data Provider can only be used with SQL Server versions 7.0 and later.. /// - internal static string SQL_InvalidSQLServerVersionUnknown - { - get - { + internal static string SQL_InvalidSQLServerVersionUnknown { + get { return ResourceManager.GetString("SQL_InvalidSQLServerVersionUnknown", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid SSPI packet size.. /// - internal static string SQL_InvalidSSPIPacketSize - { - get - { + internal static string SQL_InvalidSSPIPacketSize { + get { return ResourceManager.GetString("SQL_InvalidSSPIPacketSize", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid Packet Size.. /// - internal static string SQL_InvalidTDSPacketSize - { - get - { + internal static string SQL_InvalidTDSPacketSize { + get { return ResourceManager.GetString("SQL_InvalidTDSPacketSize", resourceCulture); } } - + /// /// Looks up a localized string similar to The SQL Server instance returned an invalid or unsupported protocol version during login negotiation.. /// - internal static string SQL_InvalidTDSVersion - { - get - { + internal static string SQL_InvalidTDSVersion { + get { return ResourceManager.GetString("SQL_InvalidTDSVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid 3 part name format for UdtTypeName.. /// - internal static string SQL_InvalidUdt3PartNameFormat - { - get - { + internal static string SQL_InvalidUdt3PartNameFormat { + get { return ResourceManager.GetString("SQL_InvalidUdt3PartNameFormat", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use 'Authentication={0}' with 'Password' or 'PWD' connection string keywords.. /// - internal static string SQL_ManagedIdentityWithPassword - { - get - { + internal static string SQL_ManagedIdentityWithPassword { + get { return ResourceManager.GetString("SQL_ManagedIdentityWithPassword", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection does not support MultipleActiveResultSets.. /// - internal static string SQL_MarsUnsupportedOnConnection - { - get - { + internal static string SQL_MarsUnsupportedOnConnection { + get { return ResourceManager.GetString("SQL_MarsUnsupportedOnConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to MetaData parameter array must have length equivalent to ParameterDirection array argument.. /// - internal static string Sql_MismatchedMetaDataDirectionArrayLengths - { - get - { + internal static string Sql_MismatchedMetaDataDirectionArrayLengths { + get { return ResourceManager.GetString("Sql_MismatchedMetaDataDirectionArrayLengths", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlDbType.SmallMoney overflow. Value '{0}' is out of range. Must be between -214,748.3648 and 214,748.3647.. /// - internal static string SQL_MoneyOverflow - { - get - { + internal static string SQL_MoneyOverflow { + get { return ResourceManager.GetString("SQL_MoneyOverflow", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to authenticate the user {0} in Active Directory (Authentication={1}).. /// - internal static string SQL_MSALFailure - { - get - { + internal static string SQL_MSALFailure { + get { return ResourceManager.GetString("SQL_MSALFailure", resourceCulture); } } - + /// /// Looks up a localized string similar to Error code 0x{0}; state {1}. /// - internal static string SQL_MSALInnerException - { - get - { + internal static string SQL_MSALInnerException { + get { return ResourceManager.GetString("SQL_MSALInnerException", resourceCulture); } } - + /// /// Looks up a localized string similar to Nested TransactionScopes are not supported.. /// - internal static string SQL_NestedTransactionScopesNotSupported - { - get - { + internal static string SQL_NestedTransactionScopesNotSupported { + get { return ResourceManager.GetString("SQL_NestedTransactionScopesNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to GetBytes on column '{0}'. The GetBytes function can only be used on columns of type Text, NText, or Image.. /// - internal static string SQL_NonBlobColumn - { - get - { + internal static string SQL_NonBlobColumn { + get { return ResourceManager.GetString("SQL_NonBlobColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to GetChars on column '{0}'. The GetChars function can only be used on columns of type Text, NText, Xml, VarChar or NVarChar.. /// - internal static string SQL_NonCharColumn - { - get - { + internal static string SQL_NonCharColumn { + get { return ResourceManager.GetString("SQL_NonCharColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to SSE Instance re-direction is not supported for non-local user instances.. /// - internal static string SQL_NonLocalSSEInstance - { - get - { + internal static string SQL_NonLocalSSEInstance { + get { return ResourceManager.GetString("SQL_NonLocalSSEInstance", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid command sent to ExecuteXmlReader. The command must return an Xml result.. /// - internal static string SQL_NonXmlResult - { - get - { + internal static string SQL_NonXmlResult { + get { return ResourceManager.GetString("SQL_NonXmlResult", resourceCulture); } } - + /// /// Looks up a localized string similar to The requested operation is not available on the context connection.. /// - internal static string SQL_NotAvailableOnContextConnection - { - get - { + internal static string SQL_NotAvailableOnContextConnection { + get { return ResourceManager.GetString("SQL_NotAvailableOnContextConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to Notifications are not available on the context connection.. /// - internal static string SQL_NotificationsNotAvailableOnContextConnection - { - get - { + internal static string SQL_NotificationsNotAvailableOnContextConnection { + get { return ResourceManager.GetString("SQL_NotificationsNotAvailableOnContextConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to Notifications require SQL Server 9.0 or later.. /// - internal static string SQL_NotificationsRequireYukon - { - get - { + internal static string SQL_NotificationsRequireYukon { + get { return ResourceManager.GetString("SQL_NotificationsRequireYukon", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} enumeration value, {1}, is not supported by the .NET Framework SqlClient Data Provider.. /// - internal static string SQL_NotSupportedEnumerationValue - { - get - { + internal static string SQL_NotSupportedEnumerationValue { + get { return ResourceManager.GetString("SQL_NotSupportedEnumerationValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Command parameter must have a non null and non empty command text.. /// - internal static string Sql_NullCommandText - { - get - { + internal static string Sql_NullCommandText { + get { return ResourceManager.GetString("Sql_NullCommandText", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid transaction or invalid name for a point at which to save within the transaction.. /// - internal static string SQL_NullEmptyTransactionName - { - get - { + internal static string SQL_NullEmptyTransactionName { + get { return ResourceManager.GetString("SQL_NullEmptyTransactionName", resourceCulture); } } - + /// /// Looks up a localized string similar to Open result count exceeded.. /// - internal static string SQL_OpenResultCountExceeded - { - get - { + internal static string SQL_OpenResultCountExceeded { + get { return ResourceManager.GetString("SQL_OpenResultCountExceeded", resourceCulture); } } - + /// /// Looks up a localized string similar to Operation cancelled by user.. /// - internal static string SQL_OperationCancelled - { - get - { + internal static string SQL_OperationCancelled { + get { return ResourceManager.GetString("SQL_OperationCancelled", resourceCulture); } } - + /// /// Looks up a localized string similar to Parameter '{0}' cannot be null or empty.. /// - internal static string SQL_ParameterCannotBeEmpty - { - get - { + internal static string SQL_ParameterCannotBeEmpty { + get { return ResourceManager.GetString("SQL_ParameterCannotBeEmpty", resourceCulture); } } - + /// /// Looks up a localized string similar to Parameter '{0}' exceeds the size limit for the sql_variant datatype.. /// - internal static string SQL_ParameterInvalidVariant - { - get - { + internal static string SQL_ParameterInvalidVariant { + get { return ResourceManager.GetString("SQL_ParameterInvalidVariant", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} type parameter '{1}' must have a valid type name.. /// - internal static string SQL_ParameterTypeNameRequired - { - get - { + internal static string SQL_ParameterTypeNameRequired { + get { return ResourceManager.GetString("SQL_ParameterTypeNameRequired", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal connection fatal error.. /// - internal static string SQL_ParsingError - { - get - { + internal static string SQL_ParsingError { + get { return ResourceManager.GetString("SQL_ParsingError", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal connection fatal error. Error state: {0}, Authentication Library Type: {1}. /// - internal static string SQL_ParsingErrorAuthLibraryType - { - get - { + internal static string SQL_ParsingErrorAuthLibraryType { + get { return ResourceManager.GetString("SQL_ParsingErrorAuthLibraryType", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal connection fatal error. Error state: {0}, Feature Id: {1}. /// - internal static string SQL_ParsingErrorFeatureId - { - get - { + internal static string SQL_ParsingErrorFeatureId { + get { return ResourceManager.GetString("SQL_ParsingErrorFeatureId", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal connection fatal error. Error state: {0}, Length: {1}. /// - internal static string SQL_ParsingErrorLength - { - get - { + internal static string SQL_ParsingErrorLength { + get { return ResourceManager.GetString("SQL_ParsingErrorLength", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal connection fatal error. Error state: {0}, Offset: {1}. /// - internal static string SQL_ParsingErrorOffset - { - get - { + internal static string SQL_ParsingErrorOffset { + get { return ResourceManager.GetString("SQL_ParsingErrorOffset", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal connection fatal error. Error state: {0}, Status: {1}. /// - internal static string SQL_ParsingErrorStatus - { - get - { + internal static string SQL_ParsingErrorStatus { + get { return ResourceManager.GetString("SQL_ParsingErrorStatus", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal connection fatal error. Error state: {0}, Token : {1}. /// - internal static string SQL_ParsingErrorToken - { - get - { + internal static string SQL_ParsingErrorToken { + get { return ResourceManager.GetString("SQL_ParsingErrorToken", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal connection fatal error. Error state: {0}, Value: {1}. /// - internal static string SQL_ParsingErrorValue - { - get - { + internal static string SQL_ParsingErrorValue { + get { return ResourceManager.GetString("SQL_ParsingErrorValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal connection fatal error. Error state: {0}. /// - internal static string SQL_ParsingErrorWithState - { - get - { + internal static string SQL_ParsingErrorWithState { + get { return ResourceManager.GetString("SQL_ParsingErrorWithState", resourceCulture); } } - + /// /// Looks up a localized string similar to The command execution cannot proceed due to a pending asynchronous operation already in progress.. /// - internal static string SQL_PendingBeginXXXExists - { - get - { + internal static string SQL_PendingBeginXXXExists { + get { return ResourceManager.GetString("SQL_PendingBeginXXXExists", resourceCulture); } } - + /// /// Looks up a localized string similar to An error occurred with a prior row sent to the SqlPipe. SendResultsEnd must be called before anything else can be sent.. /// - internal static string SQL_PipeErrorRequiresSendEnd - { - get - { + internal static string SQL_PipeErrorRequiresSendEnd { + get { return ResourceManager.GetString("SQL_PipeErrorRequiresSendEnd", resourceCulture); } } - + /// /// Looks up a localized string similar to Precision value '{0}' is either less than 0 or greater than the maximum allowed precision of 38.. /// - internal static string SQL_PrecisionValueOutOfRange - { - get - { + internal static string SQL_PrecisionValueOutOfRange { + get { return ResourceManager.GetString("SQL_PrecisionValueOutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Scale value '{0}' is either less than 0 or greater than the maximum allowed scale of 38.. /// - internal static string SQL_ScaleValueOutOfRange - { - get - { + internal static string SQL_ScaleValueOutOfRange { + get { return ResourceManager.GetString("SQL_ScaleValueOutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set the Credential property if 'Authentication=Active Directory Device Code Flow' has been specified in the connection string.. /// - internal static string SQL_SettingCredentialWithDeviceFlow - { - get - { + internal static string SQL_SettingCredentialWithDeviceFlow { + get { return ResourceManager.GetString("SQL_SettingCredentialWithDeviceFlow", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set the Credential property if 'Authentication=Active Directory Integrated' has been specified in the connection string.. /// - internal static string SQL_SettingCredentialWithIntegrated - { - get - { + internal static string SQL_SettingCredentialWithIntegrated { + get { return ResourceManager.GetString("SQL_SettingCredentialWithIntegrated", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set the Credential property if 'Authentication=Active Directory Interactive' has been specified in the connection string.. /// - internal static string SQL_SettingCredentialWithInteractive - { - get - { + internal static string SQL_SettingCredentialWithInteractive { + get { return ResourceManager.GetString("SQL_SettingCredentialWithInteractive", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set the Credential property if 'Authentication={0}' has been specified in the connection string.. /// - internal static string SQL_SettingCredentialWithManagedIdentity - { - get - { + internal static string SQL_SettingCredentialWithManagedIdentity { + get { return ResourceManager.GetString("SQL_SettingCredentialWithManagedIdentity", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use 'Authentication=Active Directory Device Code Flow', if the Credential property has been set.. /// - internal static string SQL_SettingDeviceFlowWithCredential - { - get - { + internal static string SQL_SettingDeviceFlowWithCredential { + get { return ResourceManager.GetString("SQL_SettingDeviceFlowWithCredential", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use 'Authentication=Active Directory Integrated', if the Credential property has been set.. /// - internal static string SQL_SettingIntegratedWithCredential - { - get - { + internal static string SQL_SettingIntegratedWithCredential { + get { return ResourceManager.GetString("SQL_SettingIntegratedWithCredential", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use 'Authentication=Active Directory Interactive', if the Credential property has been set.. /// - internal static string SQL_SettingInteractiveWithCredential - { - get - { + internal static string SQL_SettingInteractiveWithCredential { + get { return ResourceManager.GetString("SQL_SettingInteractiveWithCredential", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot use 'Authentication={0}', if the Credential property has been set.. /// - internal static string SQL_SettingManagedIdentityWithCredential - { - get - { + internal static string SQL_SettingManagedIdentityWithCredential { + get { return ResourceManager.GetString("SQL_SettingManagedIdentityWithCredential", resourceCulture); } } - + /// /// Looks up a localized string similar to A severe error occurred on the current command. The results, if any, should be discarded.. /// - internal static string SQL_SevereError - { - get - { + internal static string SQL_SevereError { + get { return ResourceManager.GetString("SQL_SevereError", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlDbType.SmallDateTime overflow. Value '{0}' is out of range. Must be between 1/1/1900 12:00:00 AM and 6/6/2079 11:59:59 PM.. /// - internal static string SQL_SmallDateTimeOverflow - { - get - { + internal static string SQL_SmallDateTimeOverflow { + get { return ResourceManager.GetString("SQL_SmallDateTimeOverflow", resourceCulture); } } - + /// /// Looks up a localized string similar to The {0} enumeration value, {1}, is not supported by SQL Server 7.0 or SQL Server 2000.. /// - internal static string SQL_SnapshotNotSupported - { - get - { + internal static string SQL_SnapshotNotSupported { + get { return ResourceManager.GetString("SQL_SnapshotNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Memory allocation for internal connection failed.. /// - internal static string SQL_SNIPacketAllocationFailure - { - get - { + internal static string SQL_SNIPacketAllocationFailure { + get { return ResourceManager.GetString("SQL_SNIPacketAllocationFailure", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlCommand.DeriveParameters failed because the SqlCommand.CommandText property value is an invalid multipart name. /// - internal static string SQL_SqlCommandCommandText - { - get - { + internal static string SQL_SqlCommandCommandText { + get { return ResourceManager.GetString("SQL_SqlCommandCommandText", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}' cannot be called when the record is read only.. /// - internal static string SQL_SqlRecordReadOnly - { - get - { + internal static string SQL_SqlRecordReadOnly { + get { return ResourceManager.GetString("SQL_SqlRecordReadOnly", resourceCulture); } } - + /// /// Looks up a localized string similar to Operation cannot be completed because the record is read only.. /// - internal static string SQL_SqlRecordReadOnly2 - { - get - { + internal static string SQL_SqlRecordReadOnly2 { + get { return ResourceManager.GetString("SQL_SqlRecordReadOnly2", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to call method {0} when SqlResultSet is closed.. /// - internal static string SQL_SqlResultSetClosed - { - get - { + internal static string SQL_SqlResultSetClosed { + get { return ResourceManager.GetString("SQL_SqlResultSetClosed", resourceCulture); } } - + /// /// Looks up a localized string similar to Operation cannot be completed because the SqlResultSet is closed.. /// - internal static string SQL_SqlResultSetClosed2 - { - get - { + internal static string SQL_SqlResultSetClosed2 { + get { return ResourceManager.GetString("SQL_SqlResultSetClosed2", resourceCulture); } } - + /// /// Looks up a localized string similar to Operation cannot be completed because the command that created the SqlResultSet has been dissociated from the original connection. SqlResultSet is closed.. /// - internal static string SQL_SqlResultSetCommandNotInSameConnection - { - get - { + internal static string SQL_SqlResultSetCommandNotInSameConnection { + get { return ResourceManager.GetString("SQL_SqlResultSetCommandNotInSameConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlResultSet could not be created for the given query with the desired options.. /// - internal static string SQL_SqlResultSetNoAcceptableCursor - { - get - { + internal static string SQL_SqlResultSetNoAcceptableCursor { + get { return ResourceManager.GetString("SQL_SqlResultSetNoAcceptableCursor", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to call method {0} when the current row is deleted. /// - internal static string SQL_SqlResultSetRowDeleted - { - get - { + internal static string SQL_SqlResultSetRowDeleted { + get { return ResourceManager.GetString("SQL_SqlResultSetRowDeleted", resourceCulture); } } - + /// /// Looks up a localized string similar to Operation cannot be completed because the current row is deleted. /// - internal static string SQL_SqlResultSetRowDeleted2 - { - get - { + internal static string SQL_SqlResultSetRowDeleted2 { + get { return ResourceManager.GetString("SQL_SqlResultSetRowDeleted2", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}' cannot be called when the SqlDataRecord is read only.. /// - internal static string SQL_SqlUpdatableRecordReadOnly - { - get - { + internal static string SQL_SqlUpdatableRecordReadOnly { + get { return ResourceManager.GetString("SQL_SqlUpdatableRecordReadOnly", resourceCulture); } } - + /// /// Looks up a localized string similar to The target principal name is incorrect. Cannot generate SSPI context.. /// - internal static string SQL_SSPIGenerateError - { - get - { + internal static string SQL_SSPIGenerateError { + get { return ResourceManager.GetString("SQL_SSPIGenerateError", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot initialize SSPI package.. /// - internal static string SQL_SSPIInitializeError - { - get - { + internal static string SQL_SSPIInitializeError { + get { return ResourceManager.GetString("SQL_SSPIInitializeError", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to GetStream on column '{0}'. The GetStream function can only be used on columns of type Binary, Image, Udt or VarBinary.. /// - internal static string SQL_StreamNotSupportOnColumnType - { - get - { + internal static string SQL_StreamNotSupportOnColumnType { + get { return ResourceManager.GetString("SQL_StreamNotSupportOnColumnType", resourceCulture); } } - + /// /// Looks up a localized string similar to The Stream does not support reading.. /// - internal static string SQL_StreamReadNotSupported - { - get - { + internal static string SQL_StreamReadNotSupported { + get { return ResourceManager.GetString("SQL_StreamReadNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to The Stream does not support seeking.. /// - internal static string SQL_StreamSeekNotSupported - { - get - { + internal static string SQL_StreamSeekNotSupported { + get { return ResourceManager.GetString("SQL_StreamSeekNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to The Stream does not support writing.. /// - internal static string SQL_StreamWriteNotSupported - { - get - { + internal static string SQL_StreamWriteNotSupported { + get { return ResourceManager.GetString("SQL_StreamWriteNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Processing of results from SQL Server failed because of an invalid multipart name. /// - internal static string SQL_TDSParserTableName - { - get - { + internal static string SQL_TDSParserTableName { + get { return ResourceManager.GetString("SQL_TDSParserTableName", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to GetTextReader on column '{0}'. The GetTextReader function can only be used on columns of type Char, NChar, NText, NVarChar, Text or VarChar.. /// - internal static string SQL_TextReaderNotSupportOnColumnType - { - get - { + internal static string SQL_TextReaderNotSupportOnColumnType { + get { return ResourceManager.GetString("SQL_TextReaderNotSupportOnColumnType", resourceCulture); } } - + /// /// Looks up a localized string similar to Timeout expired. The timeout period elapsed prior to completion of the operation or the server is not responding.. /// - internal static string SQL_Timeout - { - get - { + internal static string SQL_Timeout { + get { return ResourceManager.GetString("SQL_Timeout", resourceCulture); } } - + /// /// Looks up a localized string similar to Active Directory Device Code Flow authentication timed out. The user took too long to respond to the authentication request.. /// - internal static string SQL_Timeout_Active_Directory_DeviceFlow_Authentication - { - get - { + internal static string SQL_Timeout_Active_Directory_DeviceFlow_Authentication { + get { return ResourceManager.GetString("SQL_Timeout_Active_Directory_DeviceFlow_Authentication", resourceCulture); } } - + /// /// Looks up a localized string similar to Active Directory Interactive authentication timed out. The user took too long to respond to the authentication request.. /// - internal static string SQL_Timeout_Active_Directory_Interactive_Authentication - { - get - { + internal static string SQL_Timeout_Active_Directory_Interactive_Authentication { + get { return ResourceManager.GetString("SQL_Timeout_Active_Directory_Interactive_Authentication", resourceCulture); } } - + /// /// Looks up a localized string similar to Execution Timeout Expired. The timeout period elapsed prior to completion of the operation or the server is not responding.. /// - internal static string SQL_Timeout_Execution - { - get - { + internal static string SQL_Timeout_Execution { + get { return ResourceManager.GetString("SQL_Timeout_Execution", resourceCulture); } } - + /// /// Looks up a localized string similar to This failure occurred while attempting to connect to the {0} server.. /// - internal static string SQL_Timeout_FailoverInfo - { - get - { + internal static string SQL_Timeout_FailoverInfo { + get { return ResourceManager.GetString("SQL_Timeout_FailoverInfo", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection Timeout Expired. The timeout period elapsed at the start of the login phase. This could be because of insufficient time provided for connection timeout.. /// - internal static string SQL_Timeout_Login_Begin - { - get - { + internal static string SQL_Timeout_Login_Begin { + get { return ResourceManager.GetString("SQL_Timeout_Login_Begin", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection Timeout Expired. The timeout period elapsed while attempting to authenticate the login. This could be because the server failed to authenticate the user or the server was unable to respond back in time.. /// - internal static string SQL_Timeout_Login_ProcessConnectionAuth - { - get - { + internal static string SQL_Timeout_Login_ProcessConnectionAuth { + get { return ResourceManager.GetString("SQL_Timeout_Login_ProcessConnectionAuth", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection Timeout Expired. The timeout period elapsed during the post-login phase. The connection could have timed out while waiting for server to complete the login process and respond; Or it could have timed out while attempting to create multiple active connections.. /// - internal static string SQL_Timeout_PostLogin - { - get - { + internal static string SQL_Timeout_PostLogin { + get { return ResourceManager.GetString("SQL_Timeout_PostLogin", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection Timeout Expired. The timeout period elapsed at the start of the pre-login phase. This could be because of insufficient time provided for connection timeout.. /// - internal static string SQL_Timeout_PreLogin_Begin - { - get - { + internal static string SQL_Timeout_PreLogin_Begin { + get { return ResourceManager.GetString("SQL_Timeout_PreLogin_Begin", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection Timeout Expired. The timeout period elapsed while attempting to consume the pre-login handshake acknowledgement. This could be because the pre-login handshake failed or the server was unable to respond back in time.. /// - internal static string SQL_Timeout_PreLogin_ConsumeHandshake - { - get - { + internal static string SQL_Timeout_PreLogin_ConsumeHandshake { + get { return ResourceManager.GetString("SQL_Timeout_PreLogin_ConsumeHandshake", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection Timeout Expired. The timeout period elapsed while attempting to create and initialize a socket to the server. This could be either because the server was unreachable or unable to respond back in time.. /// - internal static string SQL_Timeout_PreLogin_InitializeConnection - { - get - { + internal static string SQL_Timeout_PreLogin_InitializeConnection { + get { return ResourceManager.GetString("SQL_Timeout_PreLogin_InitializeConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to Connection Timeout Expired. The timeout period elapsed while making a pre-login handshake request. This could be because the server was unable to respond back in time.. /// - internal static string SQL_Timeout_PreLogin_SendHandshake - { - get - { + internal static string SQL_Timeout_PreLogin_SendHandshake { + get { return ResourceManager.GetString("SQL_Timeout_PreLogin_SendHandshake", resourceCulture); } } - + /// /// Looks up a localized string similar to This failure occurred while attempting to connect to the routing destination. The duration spent while attempting to connect to the original server was - [Pre-Login] initialization={0}; handshake={1}; [Login] initialization={2}; authentication={3}; [Post-Login] complete={4}; . /// - internal static string SQL_Timeout_RoutingDestinationInfo - { - get - { + internal static string SQL_Timeout_RoutingDestinationInfo { + get { return ResourceManager.GetString("SQL_Timeout_RoutingDestinationInfo", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlDbType.Time overflow. Value '{0}' is out of range. Must be between 00:00:00.0000000 and 23:59:59.9999999.. /// - internal static string SQL_TimeOverflow - { - get - { + internal static string SQL_TimeOverflow { + get { return ResourceManager.GetString("SQL_TimeOverflow", resourceCulture); } } - + /// /// Looks up a localized string similar to Scale value '{0}' is either less than 0 or greater than the maximum allowed scale of 7.. /// - internal static string SQL_TimeScaleValueOutOfRange - { - get - { + internal static string SQL_TimeScaleValueOutOfRange { + get { return ResourceManager.GetString("SQL_TimeScaleValueOutOfRange", resourceCulture); } } - + /// /// Looks up a localized string similar to Too many values.. /// - internal static string SQL_TooManyValues - { - get - { + internal static string SQL_TooManyValues { + get { return ResourceManager.GetString("SQL_TooManyValues", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlParameter.TypeName is an invalid multipart name. /// - internal static string SQL_TypeName - { - get - { + internal static string SQL_TypeName { + get { return ResourceManager.GetString("SQL_TypeName", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlParameter.UdtTypeName is an invalid multipart name. /// - internal static string SQL_UDTTypeName - { - get - { + internal static string SQL_UDTTypeName { + get { return ResourceManager.GetString("SQL_UDTTypeName", resourceCulture); } } - + /// /// Looks up a localized string similar to Unexpected server event: {0}.. /// - internal static string SQL_UnexpectedSmiEvent - { - get - { + internal static string SQL_UnexpectedSmiEvent { + get { return ResourceManager.GetString("SQL_UnexpectedSmiEvent", resourceCulture); } } - + /// /// Looks up a localized string similar to Unrecognized System.Transactions.IsolationLevel enumeration value: {0}.. /// - internal static string SQL_UnknownSysTxIsolationLevel - { - get - { + internal static string SQL_UnknownSysTxIsolationLevel { + get { return ResourceManager.GetString("SQL_UnknownSysTxIsolationLevel", resourceCulture); } } - + /// /// Looks up a localized string similar to The authentication '{0}' is not supported.. /// - internal static string SQL_UnsupportedAuthentication - { - get - { + internal static string SQL_UnsupportedAuthentication { + get { return ResourceManager.GetString("SQL_UnsupportedAuthentication", resourceCulture); } } - + /// /// Looks up a localized string similar to The provider '{0}' does not support authentication '{1}'.. /// - internal static string SQL_UnsupportedAuthenticationByProvider - { - get - { + internal static string SQL_UnsupportedAuthenticationByProvider { + get { return ResourceManager.GetString("SQL_UnsupportedAuthenticationByProvider", resourceCulture); } } - + /// /// Looks up a localized string similar to Unsupported authentication specified in this context: {0}. /// - internal static string SQL_UnsupportedAuthenticationSpecified - { - get - { + internal static string SQL_UnsupportedAuthenticationSpecified { + get { return ResourceManager.GetString("SQL_UnsupportedAuthenticationSpecified", resourceCulture); } } - + /// /// Looks up a localized string similar to SQL authentication method '{0}' is not supported.. /// - internal static string SQL_UnsupportedSqlAuthenticationMethod - { - get - { + internal static string SQL_UnsupportedSqlAuthenticationMethod { + get { return ResourceManager.GetString("SQL_UnsupportedSqlAuthenticationMethod", resourceCulture); } } - + /// /// Looks up a localized string similar to User Instance and Failover are not compatible options. Please choose only one of the two in the connection string.. /// - internal static string SQL_UserInstanceFailoverNotCompatible - { - get - { + internal static string SQL_UserInstanceFailoverNotCompatible { + get { return ResourceManager.GetString("SQL_UserInstanceFailoverNotCompatible", resourceCulture); } } - + /// /// Looks up a localized string similar to A user instance was requested in the connection string but the server specified does not support this option.. /// - internal static string SQL_UserInstanceFailure - { - get - { + internal static string SQL_UserInstanceFailure { + get { return ResourceManager.GetString("SQL_UserInstanceFailure", resourceCulture); } } - + /// /// Looks up a localized string similar to User instances are not allowed when running in the Sql Server process.. /// - internal static string SQL_UserInstanceNotAvailableInProc - { - get - { + internal static string SQL_UserInstanceNotAvailableInProc { + get { return ResourceManager.GetString("SQL_UserInstanceNotAvailableInProc", resourceCulture); } } - + /// /// Looks up a localized string similar to Expecting argument of type {1}, but received type {0}.. /// - internal static string SQL_WrongType - { - get - { + internal static string SQL_WrongType { + get { return ResourceManager.GetString("SQL_WrongType", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to GetXmlReader on column '{0}'. The GetXmlReader function can only be used on columns of type Xml.. /// - internal static string SQL_XmlReaderNotSupportOnColumnType - { - get - { + internal static string SQL_XmlReaderNotSupportOnColumnType { + get { return ResourceManager.GetString("SQL_XmlReaderNotSupportOnColumnType", resourceCulture); } } - + /// /// Looks up a localized string similar to Notification values used by Microsoft SQL Server.. /// - internal static string SqlCommand_Notification - { - get - { + internal static string SqlCommand_Notification { + get { return ResourceManager.GetString("SqlCommand_Notification", resourceCulture); } } - + /// /// Looks up a localized string similar to Automatic enlistment in notifications used by Microsoft SQL Server.. /// - internal static string SqlCommand_NotificationAutoEnlist - { - get - { + internal static string SqlCommand_NotificationAutoEnlist { + get { return ResourceManager.GetString("SqlCommand_NotificationAutoEnlist", resourceCulture); } } - + /// /// Looks up a localized string similar to The DataAdapter for which to automatically generate SqlCommands. /// - internal static string SqlCommandBuilder_DataAdapter - { - get - { + internal static string SqlCommandBuilder_DataAdapter { + get { return ResourceManager.GetString("SqlCommandBuilder_DataAdapter", resourceCulture); } } - + /// /// Looks up a localized string similar to The decimal separator used in numeric literals.. /// - internal static string SqlCommandBuilder_DecimalSeparator - { - get - { + internal static string SqlCommandBuilder_DecimalSeparator { + get { return ResourceManager.GetString("SqlCommandBuilder_DecimalSeparator", resourceCulture); } } - + /// /// Looks up a localized string similar to The character used in a text command as the opening quote for quoting identifiers that contain special characters.. /// - internal static string SqlCommandBuilder_QuotePrefix - { - get - { + internal static string SqlCommandBuilder_QuotePrefix { + get { return ResourceManager.GetString("SqlCommandBuilder_QuotePrefix", resourceCulture); } } - + /// /// Looks up a localized string similar to The character used in a text command as the closing quote for quoting identifiers that contain special characters.. /// - internal static string SqlCommandBuilder_QuoteSuffix - { - get - { + internal static string SqlCommandBuilder_QuoteSuffix { + get { return ResourceManager.GetString("SqlCommandBuilder_QuoteSuffix", resourceCulture); } } - + /// /// Looks up a localized string similar to Access token to use for authentication.. /// - internal static string SqlConnection_AccessToken - { - get - { + internal static string SqlConnection_AccessToken { + get { return ResourceManager.GetString("SqlConnection_AccessToken", resourceCulture); } } - + /// /// Looks up a localized string similar to State of connection, synchronous or asynchronous. 'Asynchronous Processing=x' in the connection string.. /// - internal static string SqlConnection_Asynchronous - { - get - { + internal static string SqlConnection_Asynchronous { + get { return ResourceManager.GetString("SqlConnection_Asynchronous", resourceCulture); } } - + /// /// Looks up a localized string similar to A guid to represent the physical connection.. /// - internal static string SqlConnection_ClientConnectionId - { - get - { + internal static string SqlConnection_ClientConnectionId { + get { return ResourceManager.GetString("SqlConnection_ClientConnectionId", resourceCulture); } } - + /// /// Looks up a localized string similar to Information used to connect to a DataSource, such as 'Data Source=x;Initial Catalog=x;Integrated Security=SSPI'.. /// - internal static string SqlConnection_ConnectionString - { - get - { + internal static string SqlConnection_ConnectionString { + get { return ResourceManager.GetString("SqlConnection_ConnectionString", resourceCulture); } } - + /// /// Looks up a localized string similar to Current connection timeout value, 'Connect Timeout=X' in the ConnectionString.. /// - internal static string SqlConnection_ConnectionTimeout - { - get - { + internal static string SqlConnection_ConnectionTimeout { + get { return ResourceManager.GetString("SqlConnection_ConnectionTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to User Id and secure password to use for authentication.. /// - internal static string SqlConnection_Credential - { - get - { + internal static string SqlConnection_Credential { + get { return ResourceManager.GetString("SqlConnection_Credential", resourceCulture); } } - + /// /// Looks up a localized string similar to Custom column encryption key store providers.. /// - internal static string SqlConnection_CustomColumnEncryptionKeyStoreProviders - { - get - { + internal static string SqlConnection_CustomColumnEncryptionKeyStoreProviders { + get { return ResourceManager.GetString("SqlConnection_CustomColumnEncryptionKeyStoreProviders", resourceCulture); } } - + /// /// Looks up a localized string similar to Current SQL Server database, 'Initial Catalog=X' in the connection string.. /// - internal static string SqlConnection_Database - { - get - { + internal static string SqlConnection_Database { + get { return ResourceManager.GetString("SqlConnection_Database", resourceCulture); } } - + /// /// Looks up a localized string similar to Current SqlServer that the connection is opened to, 'Data Source=X' in the connection string.. /// - internal static string SqlConnection_DataSource - { - get - { + internal static string SqlConnection_DataSource { + get { return ResourceManager.GetString("SqlConnection_DataSource", resourceCulture); } } - + /// /// Looks up a localized string similar to Network packet size, 'Packet Size=x' in the connection string.. /// - internal static string SqlConnection_PacketSize - { - get - { + internal static string SqlConnection_PacketSize { + get { return ResourceManager.GetString("SqlConnection_PacketSize", resourceCulture); } } - + /// /// Looks up a localized string similar to Information used to connect for replication.. /// - internal static string SqlConnection_Replication - { - get - { + internal static string SqlConnection_Replication { + get { return ResourceManager.GetString("SqlConnection_Replication", resourceCulture); } } - + /// /// Looks up a localized string similar to Server Process Id (SPID) of the active connection.. /// - internal static string SqlConnection_ServerProcessId - { - get - { + internal static string SqlConnection_ServerProcessId { + get { return ResourceManager.GetString("SqlConnection_ServerProcessId", resourceCulture); } } - + /// /// Looks up a localized string similar to Version of the SQL Server accessed by the SqlConnection.. /// - internal static string SqlConnection_ServerVersion - { - get - { + internal static string SqlConnection_ServerVersion { + get { return ResourceManager.GetString("SqlConnection_ServerVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to Collect statistics for this connection.. /// - internal static string SqlConnection_StatisticsEnabled - { - get - { + internal static string SqlConnection_StatisticsEnabled { + get { return ResourceManager.GetString("SqlConnection_StatisticsEnabled", resourceCulture); } } - + /// /// Looks up a localized string similar to Workstation Id, 'Workstation ID=x' in the connection string.. /// - internal static string SqlConnection_WorkstationId - { - get - { + internal static string SqlConnection_WorkstationId { + get { return ResourceManager.GetString("SqlConnection_WorkstationId", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot convert object of type '{0}' to object of type '{1}'.. /// - internal static string SqlConvert_ConvertFailed - { - get - { + internal static string SqlConvert_ConvertFailed { + get { return ResourceManager.GetString("SqlConvert_ConvertFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection is broken and recovery is not possible. The client driver attempted to recover the connection one or more times and all attempts failed. Increase the value of ConnectRetryCount to increase the number of recovery attempts.. /// - internal static string SQLCR_AllAttemptsFailed - { - get - { + internal static string SQLCR_AllAttemptsFailed { + get { return ResourceManager.GetString("SQLCR_AllAttemptsFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to The server did not preserve SSL encryption during a recovery attempt, connection recovery is not possible.. /// - internal static string SQLCR_EncryptionChanged - { - get - { + internal static string SQLCR_EncryptionChanged { + get { return ResourceManager.GetString("SQLCR_EncryptionChanged", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid ConnectRetryCount value (should be 0-255).. /// - internal static string SQLCR_InvalidConnectRetryCountValue - { - get - { + internal static string SQLCR_InvalidConnectRetryCountValue { + get { return ResourceManager.GetString("SQLCR_InvalidConnectRetryCountValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid ConnectRetryInterval value (should be 1-60).. /// - internal static string SQLCR_InvalidConnectRetryIntervalValue - { - get - { + internal static string SQLCR_InvalidConnectRetryIntervalValue { + get { return ResourceManager.GetString("SQLCR_InvalidConnectRetryIntervalValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Next reconnection attempt will exceed query timeout. Reconnection was terminated.. /// - internal static string SQLCR_NextAttemptWillExceedQueryTimeout - { - get - { + internal static string SQLCR_NextAttemptWillExceedQueryTimeout { + get { return ResourceManager.GetString("SQLCR_NextAttemptWillExceedQueryTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to The server did not acknowledge a recovery attempt, connection recovery is not possible.. /// - internal static string SQLCR_NoCRAckAtReconnection - { - get - { + internal static string SQLCR_NoCRAckAtReconnection { + get { return ResourceManager.GetString("SQLCR_NoCRAckAtReconnection", resourceCulture); } } - + /// /// Looks up a localized string similar to The server did not preserve the exact client TDS version requested during a recovery attempt, connection recovery is not possible.. /// - internal static string SQLCR_TDSVestionNotPreserved - { - get - { + internal static string SQLCR_TDSVestionNotPreserved { + get { return ResourceManager.GetString("SQLCR_TDSVestionNotPreserved", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection is broken and recovery is not possible. The connection is marked by the client driver as unrecoverable. No attempt was made to restore the connection.. /// - internal static string SQLCR_UnrecoverableClient - { - get - { + internal static string SQLCR_UnrecoverableClient { + get { return ResourceManager.GetString("SQLCR_UnrecoverableClient", resourceCulture); } } - + /// /// Looks up a localized string similar to The connection is broken and recovery is not possible. The connection is marked by the server as unrecoverable. No attempt was made to restore the connection.. /// - internal static string SQLCR_UnrecoverableServer - { - get - { + internal static string SQLCR_UnrecoverableServer { + get { return ResourceManager.GetString("SQLCR_UnrecoverableServer", resourceCulture); } } - + /// /// Looks up a localized string similar to Failure while attempting to promote transaction.. /// - internal static string SqlDelegatedTransaction_PromotionFailed - { - get - { + internal static string SqlDelegatedTransaction_PromotionFailed { + get { return ResourceManager.GetString("SqlDelegatedTransaction_PromotionFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to To add a command to existing dependency object.. /// - internal static string SqlDependency_AddCommandDependency - { - get - { + internal static string SqlDependency_AddCommandDependency { + get { return ResourceManager.GetString("SqlDependency_AddCommandDependency", resourceCulture); } } - + /// /// Looks up a localized string similar to The SQL Server Service Broker for the current database is not enabled, and as a result query notifications are not supported. Please enable the Service Broker for this database if you wish to use notifications.. /// - internal static string SqlDependency_DatabaseBrokerDisabled - { - get - { + internal static string SqlDependency_DatabaseBrokerDisabled { + get { return ResourceManager.GetString("SqlDependency_DatabaseBrokerDisabled", resourceCulture); } } - + /// /// Looks up a localized string similar to When using SqlDependency without providing an options value, SqlDependency.Start() must be called prior to execution of a command added to the SqlDependency instance.. /// - internal static string SqlDependency_DefaultOptionsButNoStart - { - get - { + internal static string SqlDependency_DefaultOptionsButNoStart { + get { return ResourceManager.GetString("SqlDependency_DefaultOptionsButNoStart", resourceCulture); } } - + /// /// Looks up a localized string similar to Command is already associated with another dependency object. Can not overwrite.. /// - internal static string SqlDependency_Duplicate - { - get - { + internal static string SqlDependency_Duplicate { + get { return ResourceManager.GetString("SqlDependency_Duplicate", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlDependency does not support calling Start() with different connection strings having the same server, user, and database in the same app domain.. /// - internal static string SqlDependency_DuplicateStart - { - get - { + internal static string SqlDependency_DuplicateStart { + get { return ResourceManager.GetString("SqlDependency_DuplicateStart", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlDependency.OnChange does not support multiple event registrations for the same delegate.. /// - internal static string SqlDependency_EventNoDuplicate - { - get - { + internal static string SqlDependency_EventNoDuplicate { + get { return ResourceManager.GetString("SqlDependency_EventNoDuplicate", resourceCulture); } } - + /// /// Looks up a localized string similar to Property to indicate if this dependency is invalid.. /// - internal static string SqlDependency_HasChanges - { - get - { + internal static string SqlDependency_HasChanges { + get { return ResourceManager.GetString("SqlDependency_HasChanges", resourceCulture); } } - + /// /// Looks up a localized string similar to A string that uniquely identifies this dependency object.. /// - internal static string SqlDependency_Id - { - get - { + internal static string SqlDependency_Id { + get { return ResourceManager.GetString("SqlDependency_Id", resourceCulture); } } - + /// /// Looks up a localized string similar to No SqlDependency exists for the key.. /// - internal static string SqlDependency_IdMismatch - { - get - { + internal static string SqlDependency_IdMismatch { + get { return ResourceManager.GetString("SqlDependency_IdMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Timeout specified is invalid. Timeout cannot be < 0.. /// - internal static string SqlDependency_InvalidTimeout - { - get - { + internal static string SqlDependency_InvalidTimeout { + get { return ResourceManager.GetString("SqlDependency_InvalidTimeout", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlDependency.Start has been called for the server the command is executing against more than once, but there is no matching server/user/database Start() call for current command.. /// - internal static string SqlDependency_NoMatchingServerDatabaseStart - { - get - { + internal static string SqlDependency_NoMatchingServerDatabaseStart { + get { return ResourceManager.GetString("SqlDependency_NoMatchingServerDatabaseStart", resourceCulture); } } - + /// /// Looks up a localized string similar to When using SqlDependency without providing an options value, SqlDependency.Start() must be called for each server that is being executed against.. /// - internal static string SqlDependency_NoMatchingServerStart - { - get - { + internal static string SqlDependency_NoMatchingServerStart { + get { return ResourceManager.GetString("SqlDependency_NoMatchingServerStart", resourceCulture); } } - + /// /// Looks up a localized string similar to Event that can be used to subscribe for change notifications.. /// - internal static string SqlDependency_OnChange - { - get - { + internal static string SqlDependency_OnChange { + get { return ResourceManager.GetString("SqlDependency_OnChange", resourceCulture); } } - + /// /// Looks up a localized string similar to Dependency object used to receive query notifications.. /// - internal static string SqlDependency_SqlDependency - { - get - { + internal static string SqlDependency_SqlDependency { + get { return ResourceManager.GetString("SqlDependency_SqlDependency", resourceCulture); } } - + /// /// Looks up a localized string similar to Unexpected type detected on deserialize.. /// - internal static string SqlDependency_UnexpectedValueOnDeserialize - { - get - { + internal static string SqlDependency_UnexpectedValueOnDeserialize { + get { return ResourceManager.GetString("SqlDependency_UnexpectedValueOnDeserialize", resourceCulture); } } - + /// /// Looks up a localized string similar to The process cannot access the file specified because it has been opened in another transaction.. /// - internal static string SqlFileStream_FileAlreadyInTransaction - { - get - { + internal static string SqlFileStream_FileAlreadyInTransaction { + get { return ResourceManager.GetString("SqlFileStream_FileAlreadyInTransaction", resourceCulture); } } - + /// /// Looks up a localized string similar to An invalid parameter was passed to the function.. /// - internal static string SqlFileStream_InvalidParameter - { - get - { + internal static string SqlFileStream_InvalidParameter { + get { return ResourceManager.GetString("SqlFileStream_InvalidParameter", resourceCulture); } } - + /// /// Looks up a localized string similar to The path name is not valid.. /// - internal static string SqlFileStream_InvalidPath - { - get - { + internal static string SqlFileStream_InvalidPath { + get { return ResourceManager.GetString("SqlFileStream_InvalidPath", resourceCulture); } } - + /// /// Looks up a localized string similar to The path name is invalid or does not point to a disk file.. /// - internal static string SqlFileStream_PathNotValidDiskResource - { - get - { + internal static string SqlFileStream_PathNotValidDiskResource { + get { return ResourceManager.GetString("SqlFileStream_PathNotValidDiskResource", resourceCulture); } } - + /// /// Looks up a localized string similar to The dbType {0} is invalid for this constructor.. /// - internal static string SqlMetaData_InvalidSqlDbTypeForConstructorFormat - { - get - { + internal static string SqlMetaData_InvalidSqlDbTypeForConstructorFormat { + get { return ResourceManager.GetString("SqlMetaData_InvalidSqlDbTypeForConstructorFormat", resourceCulture); } } - + /// /// Looks up a localized string similar to The name is too long.. /// - internal static string SqlMetaData_NameTooLong - { - get - { + internal static string SqlMetaData_NameTooLong { + get { return ResourceManager.GetString("SqlMetaData_NameTooLong", resourceCulture); } } - + /// /// Looks up a localized string similar to GetMetaData is not valid for this SqlDbType.. /// - internal static string SqlMetaData_NoMetadata - { - get - { + internal static string SqlMetaData_NoMetadata { + get { return ResourceManager.GetString("SqlMetaData_NoMetadata", resourceCulture); } } - + /// /// Looks up a localized string similar to The sort order and ordinal must either both be specified, or neither should be specified (SortOrder.Unspecified and -1). The values given were: order = {0}, ordinal = {1}.. /// - internal static string SqlMetaData_SpecifyBothSortOrderAndOrdinal - { - get - { + internal static string SqlMetaData_SpecifyBothSortOrderAndOrdinal { + get { return ResourceManager.GetString("SqlMetaData_SpecifyBothSortOrderAndOrdinal", resourceCulture); } } - + /// /// Looks up a localized string similar to SQL Type has already been loaded with data.. /// - internal static string SqlMisc_AlreadyFilledMessage - { - get - { + internal static string SqlMisc_AlreadyFilledMessage { + get { return ResourceManager.GetString("SqlMisc_AlreadyFilledMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Arithmetic Overflow.. /// - internal static string SqlMisc_ArithOverflowMessage - { - get - { + internal static string SqlMisc_ArithOverflowMessage { + get { return ResourceManager.GetString("SqlMisc_ArithOverflowMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to The buffer is insufficient. Read or write operation failed.. /// - internal static string SqlMisc_BufferInsufficientMessage - { - get - { + internal static string SqlMisc_BufferInsufficientMessage { + get { return ResourceManager.GetString("SqlMisc_BufferInsufficientMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to access a closed XmlReader.. /// - internal static string SqlMisc_ClosedXmlReaderMessage - { - get - { + internal static string SqlMisc_ClosedXmlReaderMessage { + get { return ResourceManager.GetString("SqlMisc_ClosedXmlReaderMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Two strings to be compared have different collation.. /// - internal static string SqlMisc_CompareDiffCollationMessage - { - get - { + internal static string SqlMisc_CompareDiffCollationMessage { + get { return ResourceManager.GetString("SqlMisc_CompareDiffCollationMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Two strings to be concatenated have different collation.. /// - internal static string SqlMisc_ConcatDiffCollationMessage - { - get - { + internal static string SqlMisc_ConcatDiffCollationMessage { + get { return ResourceManager.GetString("SqlMisc_ConcatDiffCollationMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Conversion overflows.. /// - internal static string SqlMisc_ConversionOverflowMessage - { - get - { + internal static string SqlMisc_ConversionOverflowMessage { + get { return ResourceManager.GetString("SqlMisc_ConversionOverflowMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlDateTime overflow. Must be between 1/1/1753 12:00:00 AM and 12/31/9999 11:59:59 PM.. /// - internal static string SqlMisc_DateTimeOverflowMessage - { - get - { + internal static string SqlMisc_DateTimeOverflowMessage { + get { return ResourceManager.GetString("SqlMisc_DateTimeOverflowMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Divide by zero error encountered.. /// - internal static string SqlMisc_DivideByZeroMessage - { - get - { + internal static string SqlMisc_DivideByZeroMessage { + get { return ResourceManager.GetString("SqlMisc_DivideByZeroMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to The input wasn't in a correct format.. /// - internal static string SqlMisc_FormatMessage - { - get - { + internal static string SqlMisc_FormatMessage { + get { return ResourceManager.GetString("SqlMisc_FormatMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid array size.. /// - internal static string SqlMisc_InvalidArraySizeMessage - { - get - { + internal static string SqlMisc_InvalidArraySizeMessage { + get { return ResourceManager.GetString("SqlMisc_InvalidArraySizeMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid SqlDateTime.. /// - internal static string SqlMisc_InvalidDateTimeMessage - { - get - { + internal static string SqlMisc_InvalidDateTimeMessage { + get { return ResourceManager.GetString("SqlMisc_InvalidDateTimeMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Argument to GetDayOfWeek must be integer between 1 and 7.. /// - internal static string SqlMisc_InvalidFirstDayMessage - { - get - { + internal static string SqlMisc_InvalidFirstDayMessage { + get { return ResourceManager.GetString("SqlMisc_InvalidFirstDayMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid flag value.. /// - internal static string SqlMisc_InvalidFlagMessage - { - get - { + internal static string SqlMisc_InvalidFlagMessage { + get { return ResourceManager.GetString("SqlMisc_InvalidFlagMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to call {0} when the stream is closed.. /// - internal static string SqlMisc_InvalidOpStreamClosed - { - get - { + internal static string SqlMisc_InvalidOpStreamClosed { + get { return ResourceManager.GetString("SqlMisc_InvalidOpStreamClosed", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to call {0} when the stream non-readable.. /// - internal static string SqlMisc_InvalidOpStreamNonReadable - { - get - { + internal static string SqlMisc_InvalidOpStreamNonReadable { + get { return ResourceManager.GetString("SqlMisc_InvalidOpStreamNonReadable", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to call {0} when the stream is non-seekable.. /// - internal static string SqlMisc_InvalidOpStreamNonSeekable - { - get - { + internal static string SqlMisc_InvalidOpStreamNonSeekable { + get { return ResourceManager.GetString("SqlMisc_InvalidOpStreamNonSeekable", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attempt to call {0} when the stream non-writable.. /// - internal static string SqlMisc_InvalidOpStreamNonWritable - { - get - { + internal static string SqlMisc_InvalidOpStreamNonWritable { + get { return ResourceManager.GetString("SqlMisc_InvalidOpStreamNonWritable", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid numeric precision/scale.. /// - internal static string SqlMisc_InvalidPrecScaleMessage - { - get - { + internal static string SqlMisc_InvalidPrecScaleMessage { + get { return ResourceManager.GetString("SqlMisc_InvalidPrecScaleMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to The SqlBytes and SqlChars don't support length of more than 2GB in this version.. /// - internal static string SqlMisc_LenTooLargeMessage - { - get - { + internal static string SqlMisc_LenTooLargeMessage { + get { return ResourceManager.GetString("SqlMisc_LenTooLargeMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Message. /// - internal static string SqlMisc_MessageString - { - get - { + internal static string SqlMisc_MessageString { + get { return ResourceManager.GetString("SqlMisc_MessageString", resourceCulture); } } - + /// /// Looks up a localized string similar to There is no buffer. Read or write operation failed.. /// - internal static string SqlMisc_NoBufferMessage - { - get - { + internal static string SqlMisc_NoBufferMessage { + get { return ResourceManager.GetString("SqlMisc_NoBufferMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to SQL Type has not been loaded with data.. /// - internal static string SqlMisc_NotFilledMessage - { - get - { + internal static string SqlMisc_NotFilledMessage { + get { return ResourceManager.GetString("SqlMisc_NotFilledMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Null. /// - internal static string SqlMisc_NullString - { - get - { + internal static string SqlMisc_NullString { + get { return ResourceManager.GetString("SqlMisc_NullString", resourceCulture); } } - + /// /// Looks up a localized string similar to Data is Null. This method or property cannot be called on Null values.. /// - internal static string SqlMisc_NullValueMessage - { - get - { + internal static string SqlMisc_NullValueMessage { + get { return ResourceManager.GetString("SqlMisc_NullValueMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Conversion from SqlDecimal to Decimal overflows.. /// - internal static string SqlMisc_NumeToDecOverflowMessage - { - get - { + internal static string SqlMisc_NumeToDecOverflowMessage { + get { return ResourceManager.GetString("SqlMisc_NumeToDecOverflowMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set to non-zero length, because current value is Null.. /// - internal static string SqlMisc_SetNonZeroLenOnNullMessage - { - get - { + internal static string SqlMisc_SetNonZeroLenOnNullMessage { + get { return ResourceManager.GetString("SqlMisc_SetNonZeroLenOnNullMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlType error.. /// - internal static string SqlMisc_SqlTypeMessage - { - get - { + internal static string SqlMisc_SqlTypeMessage { + get { return ResourceManager.GetString("SqlMisc_SqlTypeMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Stream has been closed or disposed.. /// - internal static string SqlMisc_StreamClosedMessage - { - get - { + internal static string SqlMisc_StreamClosedMessage { + get { return ResourceManager.GetString("SqlMisc_StreamClosedMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to An error occurred while reading.. /// - internal static string SqlMisc_StreamErrorMessage - { - get - { + internal static string SqlMisc_StreamErrorMessage { + get { return ResourceManager.GetString("SqlMisc_StreamErrorMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Subclass did not override a required method.. /// - internal static string SqlMisc_SubclassMustOverride - { - get - { + internal static string SqlMisc_SubclassMustOverride { + get { return ResourceManager.GetString("SqlMisc_SubclassMustOverride", resourceCulture); } } - + /// /// Looks up a localized string similar to A time zone was specified. SqlDateTime does not support time zones.. /// - internal static string SqlMisc_TimeZoneSpecifiedMessage - { - get - { + internal static string SqlMisc_TimeZoneSpecifiedMessage { + get { return ResourceManager.GetString("SqlMisc_TimeZoneSpecifiedMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Data returned is larger than 2Gb in size. Use SequentialAccess command behavior in order to get all of the data.. /// - internal static string SqlMisc_TruncationMaxDataMessage - { - get - { + internal static string SqlMisc_TruncationMaxDataMessage { + get { return ResourceManager.GetString("SqlMisc_TruncationMaxDataMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Numeric arithmetic causes truncation.. /// - internal static string SqlMisc_TruncationMessage - { - get - { + internal static string SqlMisc_TruncationMessage { + get { return ResourceManager.GetString("SqlMisc_TruncationMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot write to non-zero offset, because current value is Null.. /// - internal static string SqlMisc_WriteNonZeroOffsetOnNullMessage - { - get - { + internal static string SqlMisc_WriteNonZeroOffsetOnNullMessage { + get { return ResourceManager.GetString("SqlMisc_WriteNonZeroOffsetOnNullMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot write from an offset that is larger than current length. It would leave uninitialized data in the buffer.. /// - internal static string SqlMisc_WriteOffsetLargerThanLenMessage - { - get - { + internal static string SqlMisc_WriteOffsetLargerThanLenMessage { + get { return ResourceManager.GetString("SqlMisc_WriteOffsetLargerThanLenMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to Connecting to a mirrored SQL Server instance using the MultiSubnetFailover connection option is not supported.. /// - internal static string SQLMSF_FailoverPartnerNotSupported - { - get - { + internal static string SQLMSF_FailoverPartnerNotSupported { + get { return ResourceManager.GetString("SQLMSF_FailoverPartnerNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to This SqlCommand object is already associated with another SqlDependency object.. /// - internal static string SQLNotify_AlreadyHasCommand - { - get - { + internal static string SQLNotify_AlreadyHasCommand { + get { return ResourceManager.GetString("SQLNotify_AlreadyHasCommand", resourceCulture); } } - + /// /// Looks up a localized string similar to Notification Error. Type={0}, Info={1}, Source={2}.. /// - internal static string SQLNotify_ErrorFormat - { - get - { + internal static string SQLNotify_ErrorFormat { + get { return ResourceManager.GetString("SQLNotify_ErrorFormat", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlDependency object cannot be created when running inside the SQL Server process.. /// - internal static string SqlNotify_SqlDepCannotBeCreatedInProc - { - get - { + internal static string SqlNotify_SqlDepCannotBeCreatedInProc { + get { return ResourceManager.GetString("SqlNotify_SqlDepCannotBeCreatedInProc", resourceCulture); } } - + /// /// Looks up a localized string similar to DBNull value for parameter '{0}' is not supported. Table-valued parameters cannot be DBNull.. /// - internal static string SqlParameter_DBNullNotSupportedForTVP - { - get - { + internal static string SqlParameter_DBNullNotSupportedForTVP { + get { return ResourceManager.GetString("SqlParameter_DBNullNotSupportedForTVP", resourceCulture); } } - + /// /// Looks up a localized string similar to Precision '{0}' required to send all values in column '{1}' exceeds the maximum supported precision '{2}'. The values must all fit in a single precision.. /// - internal static string SqlParameter_InvalidTableDerivedPrecisionForTvp - { - get - { + internal static string SqlParameter_InvalidTableDerivedPrecisionForTvp { + get { return ResourceManager.GetString("SqlParameter_InvalidTableDerivedPrecisionForTvp", resourceCulture); } } - + /// /// Looks up a localized string similar to Offset in variable length data types.. /// - internal static string SqlParameter_Offset - { - get - { + internal static string SqlParameter_Offset { + get { return ResourceManager.GetString("SqlParameter_Offset", resourceCulture); } } - + /// /// Looks up a localized string similar to Name of the parameter, like '@p1'. /// - internal static string SqlParameter_ParameterName - { - get - { + internal static string SqlParameter_ParameterName { + get { return ResourceManager.GetString("SqlParameter_ParameterName", resourceCulture); } } - + /// /// Looks up a localized string similar to The parameter native type.. /// - internal static string SqlParameter_SqlDbType - { - get - { + internal static string SqlParameter_SqlDbType { + get { return ResourceManager.GetString("SqlParameter_SqlDbType", resourceCulture); } } - + /// /// Looks up a localized string similar to The server's name for the type.. /// - internal static string SqlParameter_TypeName - { - get - { + internal static string SqlParameter_TypeName { + get { return ResourceManager.GetString("SqlParameter_TypeName", resourceCulture); } } - + /// /// Looks up a localized string similar to TypeName specified for parameter '{0}'. TypeName must only be set for Structured parameters.. /// - internal static string SqlParameter_UnexpectedTypeNameForNonStruct - { - get - { + internal static string SqlParameter_UnexpectedTypeNameForNonStruct { + get { return ResourceManager.GetString("SqlParameter_UnexpectedTypeNameForNonStruct", resourceCulture); } } - + /// /// Looks up a localized string similar to ParameterDirection '{0}' specified for parameter '{1}' is not supported. Table-valued parameters only support ParameterDirection.Input.. /// - internal static string SqlParameter_UnsupportedTVPOutputParameter - { - get - { + internal static string SqlParameter_UnsupportedTVPOutputParameter { + get { return ResourceManager.GetString("SqlParameter_UnsupportedTVPOutputParameter", resourceCulture); } } - + /// /// Looks up a localized string similar to XmlSchemaCollectionDatabase. /// - internal static string SqlParameter_XmlSchemaCollectionDatabase - { - get - { + internal static string SqlParameter_XmlSchemaCollectionDatabase { + get { return ResourceManager.GetString("SqlParameter_XmlSchemaCollectionDatabase", resourceCulture); } } - + /// /// Looks up a localized string similar to XmlSchemaCollectionName. /// - internal static string SqlParameter_XmlSchemaCollectionName - { - get - { + internal static string SqlParameter_XmlSchemaCollectionName { + get { return ResourceManager.GetString("SqlParameter_XmlSchemaCollectionName", resourceCulture); } } - + /// /// Looks up a localized string similar to XmlSchemaCollectionOwningSchema. /// - internal static string SqlParameter_XmlSchemaCollectionOwningSchema - { - get - { + internal static string SqlParameter_XmlSchemaCollectionOwningSchema { + get { return ResourceManager.GetString("SqlParameter_XmlSchemaCollectionOwningSchema", resourceCulture); } } - + /// /// Looks up a localized string similar to A result set is currently being sent to the pipe. End the current result set before calling {0}.. /// - internal static string SqlPipe_AlreadyHasAnOpenResultSet - { - get - { + internal static string SqlPipe_AlreadyHasAnOpenResultSet { + get { return ResourceManager.GetString("SqlPipe_AlreadyHasAnOpenResultSet", resourceCulture); } } - + /// /// Looks up a localized string similar to SqlPipe does not support executing a command with a connection that is not a context connection.. /// - internal static string SqlPipe_CommandHookedUpToNonContextConnection - { - get - { + internal static string SqlPipe_CommandHookedUpToNonContextConnection { + get { return ResourceManager.GetString("SqlPipe_CommandHookedUpToNonContextConnection", resourceCulture); } } - + /// /// Looks up a localized string similar to Result set has not been initiated. Call SendResultSetStart before calling {0}.. /// - internal static string SqlPipe_DoesNotHaveAnOpenResultSet - { - get - { + internal static string SqlPipe_DoesNotHaveAnOpenResultSet { + get { return ResourceManager.GetString("SqlPipe_DoesNotHaveAnOpenResultSet", resourceCulture); } } - + /// /// Looks up a localized string similar to Could not use the pipe while it is busy with another operation.. /// - internal static string SqlPipe_IsBusy - { - get - { + internal static string SqlPipe_IsBusy { + get { return ResourceManager.GetString("SqlPipe_IsBusy", resourceCulture); } } - + /// /// Looks up a localized string similar to Message length {0} exceeds maximum length supported of 4000.. /// - internal static string SqlPipe_MessageTooLong - { - get - { + internal static string SqlPipe_MessageTooLong { + get { return ResourceManager.GetString("SqlPipe_MessageTooLong", resourceCulture); } } - + /// /// Looks up a localized string similar to The sort ordinal {0} was specified twice.. /// - internal static string SqlProvider_DuplicateSortOrdinal - { - get - { + internal static string SqlProvider_DuplicateSortOrdinal { + get { return ResourceManager.GetString("SqlProvider_DuplicateSortOrdinal", resourceCulture); } } - + /// /// Looks up a localized string similar to The size of column '{0}' is not supported. The size is {1}.. /// - internal static string SqlProvider_InvalidDataColumnMaxLength - { - get - { + internal static string SqlProvider_InvalidDataColumnMaxLength { + get { return ResourceManager.GetString("SqlProvider_InvalidDataColumnMaxLength", resourceCulture); } } - + /// /// Looks up a localized string similar to The type of column '{0}' is not supported. The type is '{1}'. /// - internal static string SqlProvider_InvalidDataColumnType - { - get - { + internal static string SqlProvider_InvalidDataColumnType { + get { return ResourceManager.GetString("SqlProvider_InvalidDataColumnType", resourceCulture); } } - + /// /// Looks up a localized string similar to The sort ordinal {0} was not specified.. /// - internal static string SqlProvider_MissingSortOrdinal - { - get - { + internal static string SqlProvider_MissingSortOrdinal { + get { return ResourceManager.GetString("SqlProvider_MissingSortOrdinal", resourceCulture); } } - + /// /// Looks up a localized string similar to There are not enough fields in the Structured type. Structured types must have at least one field.. /// - internal static string SqlProvider_NotEnoughColumnsInStructuredType - { - get - { + internal static string SqlProvider_NotEnoughColumnsInStructuredType { + get { return ResourceManager.GetString("SqlProvider_NotEnoughColumnsInStructuredType", resourceCulture); } } - + /// /// Looks up a localized string similar to The sort ordinal {0} on field {1} exceeds the total number of fields.. /// - internal static string SqlProvider_SortOrdinalGreaterThanFieldCount - { - get - { + internal static string SqlProvider_SortOrdinalGreaterThanFieldCount { + get { return ResourceManager.GetString("SqlProvider_SortOrdinalGreaterThanFieldCount", resourceCulture); } } - + /// /// Looks up a localized string similar to Connecting to a mirrored SQL Server instance using the ApplicationIntent ReadOnly connection option is not supported.. /// - internal static string SQLROR_FailoverNotSupported - { - get - { + internal static string SQLROR_FailoverNotSupported { + get { return ResourceManager.GetString("SQLROR_FailoverNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid routing information received.. /// - internal static string SQLROR_InvalidRoutingInfo - { - get - { + internal static string SQLROR_InvalidRoutingInfo { + get { return ResourceManager.GetString("SQLROR_InvalidRoutingInfo", resourceCulture); } } - + /// /// Looks up a localized string similar to Two or more redirections have occurred. Only one redirection per login is allowed.. /// - internal static string SQLROR_RecursiveRoutingNotSupported - { - get - { + internal static string SQLROR_RecursiveRoutingNotSupported { + get { return ResourceManager.GetString("SQLROR_RecursiveRoutingNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Server provided routing information, but timeout already expired.. /// - internal static string SQLROR_TimeoutAfterRoutingInfo - { - get - { + internal static string SQLROR_TimeoutAfterRoutingInfo { + get { return ResourceManager.GetString("SQLROR_TimeoutAfterRoutingInfo", resourceCulture); } } - + /// /// Looks up a localized string similar to Unexpected routing information received.. /// - internal static string SQLROR_UnexpectedRoutingInfo - { - get - { + internal static string SQLROR_UnexpectedRoutingInfo { + get { return ResourceManager.GetString("SQLROR_UnexpectedRoutingInfo", resourceCulture); } } - + /// /// Looks up a localized string similar to Structured, multiple-valued types can only be used for parameters, and cannot be nested within another type.. /// - internal static string SQLTVP_TableTypeCanOnlyBeParameter - { - get - { + internal static string SQLTVP_TableTypeCanOnlyBeParameter { + get { return ResourceManager.GetString("SQLTVP_TableTypeCanOnlyBeParameter", resourceCulture); } } - + /// /// Looks up a localized string similar to The provider has failed to load the following assembly: {0}. /// - internal static string SQLUDT_CantLoadAssembly - { - get - { + internal static string SQLUDT_CantLoadAssembly { + get { return ResourceManager.GetString("SQLUDT_CantLoadAssembly", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to get Type Info for {0},{1}. /// - internal static string SQLUDT_InvalidDbId - { - get - { + internal static string SQLUDT_InvalidDbId { + get { return ResourceManager.GetString("SQLUDT_InvalidDbId", resourceCulture); } } - + /// /// Looks up a localized string similar to UDT size must be less than {1}, size: {0}. /// - internal static string SQLUDT_InvalidSize - { - get - { + internal static string SQLUDT_InvalidSize { + get { return ResourceManager.GetString("SQLUDT_InvalidSize", resourceCulture); } } - + /// /// Looks up a localized string similar to Specified type is not registered on the target server.{0}.. /// - internal static string SQLUDT_InvalidSqlType - { - get - { + internal static string SQLUDT_InvalidSqlType { + get { return ResourceManager.GetString("SQLUDT_InvalidSqlType", resourceCulture); } } - + /// /// Looks up a localized string similar to '{0}' is an invalid user defined type, reason: {1}.. /// - internal static string SqlUdt_InvalidUdtMessage - { - get - { + internal static string SqlUdt_InvalidUdtMessage { + get { return ResourceManager.GetString("SqlUdt_InvalidUdtMessage", resourceCulture); } } - + /// /// Looks up a localized string similar to UdtTypeName property must be set for UDT parameters.. /// - internal static string SQLUDT_InvalidUdtTypeName - { - get - { + internal static string SQLUDT_InvalidUdtTypeName { + get { return ResourceManager.GetString("SQLUDT_InvalidUdtTypeName", resourceCulture); } } - + /// /// Looks up a localized string similar to UDT parameters not permitted in the where clause unless part of the primary key.. /// - internal static string SQLUDT_InWhereClause - { - get - { + internal static string SQLUDT_InWhereClause { + get { return ResourceManager.GetString("SQLUDT_InWhereClause", resourceCulture); } } - + /// /// Looks up a localized string similar to range: 0-8000. /// - internal static string SQLUDT_MaxByteSizeValue - { - get - { + internal static string SQLUDT_MaxByteSizeValue { + get { return ResourceManager.GetString("SQLUDT_MaxByteSizeValue", resourceCulture); } } - + /// /// Looks up a localized string similar to unexpected error encountered in SqlClient data provider. {0}. /// - internal static string SQLUDT_Unexpected - { - get - { + internal static string SQLUDT_Unexpected { + get { return ResourceManager.GetString("SQLUDT_Unexpected", resourceCulture); } } - + /// /// Looks up a localized string similar to UdtTypeName property must be set only for UDT parameters.. /// - internal static string SQLUDT_UnexpectedUdtTypeName - { - get - { + internal static string SQLUDT_UnexpectedUdtTypeName { + get { return ResourceManager.GetString("SQLUDT_UnexpectedUdtTypeName", resourceCulture); } } - + /// /// Looks up a localized string similar to Native format can't be supported.. /// - internal static string SqlUdtReason_CannotSupportNative - { - get - { + internal static string SqlUdtReason_CannotSupportNative { + get { return ResourceManager.GetString("SqlUdtReason_CannotSupportNative", resourceCulture); } } - + /// /// Looks up a localized string similar to does not implement IBinarySerialize. /// - internal static string SqlUdtReason_CannotSupportUserDefined - { - get - { + internal static string SqlUdtReason_CannotSupportUserDefined { + get { return ResourceManager.GetString("SqlUdtReason_CannotSupportUserDefined", resourceCulture); } } - + /// /// Looks up a localized string similar to Serialization without mapping is not yet supported.. /// - internal static string SqlUdtReason_MaplessNotYetSupported - { - get - { + internal static string SqlUdtReason_MaplessNotYetSupported { + get { return ResourceManager.GetString("SqlUdtReason_MaplessNotYetSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to supports both in-memory and user-defined formats. /// - internal static string SqlUdtReason_MultipleSerFormats - { - get - { + internal static string SqlUdtReason_MultipleSerFormats { + get { return ResourceManager.GetString("SqlUdtReason_MultipleSerFormats", resourceCulture); } } - + /// /// Looks up a localized string similar to Multiple valued assembly references must have a nonzero Assembly Id.. /// - internal static string SqlUdtReason_MultivaluedAssemblyId - { - get - { + internal static string SqlUdtReason_MultivaluedAssemblyId { + get { return ResourceManager.GetString("SqlUdtReason_MultivaluedAssemblyId", resourceCulture); } } - + /// /// Looks up a localized string similar to The type of field '{0}' is marked as explicit layout which is not allowed in Native format. /// - internal static string SqlUdtReason_NativeFormatExplictLayoutNotAllowed - { - get - { + internal static string SqlUdtReason_NativeFormatExplictLayoutNotAllowed { + get { return ResourceManager.GetString("SqlUdtReason_NativeFormatExplictLayoutNotAllowed", resourceCulture); } } - + /// /// Looks up a localized string similar to Native format does not support fields (directly or through another field) of type '{0}'. /// - internal static string SqlUdtReason_NativeFormatNoFieldSupport - { - get - { + internal static string SqlUdtReason_NativeFormatNoFieldSupport { + get { return ResourceManager.GetString("SqlUdtReason_NativeFormatNoFieldSupport", resourceCulture); } } - + /// /// Looks up a localized string similar to Native UDT specifies a max byte size. /// - internal static string SqlUdtReason_NativeUdtMaxByteSize - { - get - { + internal static string SqlUdtReason_NativeUdtMaxByteSize { + get { return ResourceManager.GetString("SqlUdtReason_NativeUdtMaxByteSize", resourceCulture); } } - + /// /// Looks up a localized string similar to Native UDT not sequential layout due to type '{0}'. /// - internal static string SqlUdtReason_NativeUdtNotSequentialLayout - { - get - { + internal static string SqlUdtReason_NativeUdtNotSequentialLayout { + get { return ResourceManager.GetString("SqlUdtReason_NativeUdtNotSequentialLayout", resourceCulture); } } - + /// /// Looks up a localized string similar to field '{0}' is marked non-serialized. /// - internal static string SqlUdtReason_NonSerializableField - { - get - { + internal static string SqlUdtReason_NonSerializableField { + get { return ResourceManager.GetString("SqlUdtReason_NonSerializableField", resourceCulture); } } - + /// /// Looks up a localized string similar to does not have a public constructor. /// - internal static string SqlUdtReason_NoPublicConstructor - { - get - { + internal static string SqlUdtReason_NoPublicConstructor { + get { return ResourceManager.GetString("SqlUdtReason_NoPublicConstructor", resourceCulture); } } - + /// /// Looks up a localized string similar to no public constructors. /// - internal static string SqlUdtReason_NoPublicConstructors - { - get - { + internal static string SqlUdtReason_NoPublicConstructors { + get { return ResourceManager.GetString("SqlUdtReason_NoPublicConstructors", resourceCulture); } } - + /// /// Looks up a localized string similar to does not implement INullable. /// - internal static string SqlUdtReason_NotNullable - { - get - { + internal static string SqlUdtReason_NotNullable { + get { return ResourceManager.GetString("SqlUdtReason_NotNullable", resourceCulture); } } - + /// /// Looks up a localized string similar to not serializable. /// - internal static string SqlUdtReason_NotSerializable - { - get - { + internal static string SqlUdtReason_NotSerializable { + get { return ResourceManager.GetString("SqlUdtReason_NotSerializable", resourceCulture); } } - + /// /// Looks up a localized string similar to no UDT attribute. /// - internal static string SqlUdtReason_NoUdtAttribute - { - get - { + internal static string SqlUdtReason_NoUdtAttribute { + get { return ResourceManager.GetString("SqlUdtReason_NoUdtAttribute", resourceCulture); } } - + /// /// Looks up a localized string similar to 'public static x Null { get; }' method is missing. /// - internal static string SqlUdtReason_NullPropertyMissing - { - get - { + internal static string SqlUdtReason_NullPropertyMissing { + get { return ResourceManager.GetString("SqlUdtReason_NullPropertyMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to 'public static x Parse(System.Data.SqlTypes.SqlString)' method is missing. /// - internal static string SqlUdtReason_ParseMethodMissing - { - get - { + internal static string SqlUdtReason_ParseMethodMissing { + get { return ResourceManager.GetString("SqlUdtReason_ParseMethodMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to 'public override string ToString()' method is missing. /// - internal static string SqlUdtReason_ToStringMethodMissing - { - get - { + internal static string SqlUdtReason_ToStringMethodMissing { + get { return ResourceManager.GetString("SqlUdtReason_ToStringMethodMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to Type is not public. /// - internal static string SqlUdtReason_TypeNotPublic - { - get - { + internal static string SqlUdtReason_TypeNotPublic { + get { return ResourceManager.GetString("SqlUdtReason_TypeNotPublic", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot get value because it is DBNull.. /// - internal static string StrongTyping_CananotAccessDBNull - { - get - { + internal static string StrongTyping_CananotAccessDBNull { + get { return ResourceManager.GetString("StrongTyping_CananotAccessDBNull", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove relation since it is built in to this dataSet.. /// - internal static string StrongTyping_CananotRemoveRelation - { - get - { + internal static string StrongTyping_CananotRemoveRelation { + get { return ResourceManager.GetString("StrongTyping_CananotRemoveRelation", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot remove column since it is built in to this dataSet.. /// - internal static string StrongTyping_CannotRemoveColumn - { - get - { + internal static string StrongTyping_CannotRemoveColumn { + get { return ResourceManager.GetString("StrongTyping_CannotRemoveColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to Attestation information was not returned by SQL Server. Enclave type is '{0}' and enclave attestation URL is '{1}'.. /// - internal static string TCE_AttestationInfoNotReturnedFromSQLServer - { - get - { + internal static string TCE_AttestationInfoNotReturnedFromSQLServer { + get { return ResourceManager.GetString("TCE_AttestationInfoNotReturnedFromSQLServer", resourceCulture); } } - + /// /// Looks up a localized string similar to Error occurred when generating enclave package. Attestation Protocol has not been specified in the connection string, but the query requires enclave computations.. /// - internal static string TCE_AttestationProtocolNotSpecifiedForGeneratingEnclavePackage - { - get - { + internal static string TCE_AttestationProtocolNotSpecifiedForGeneratingEnclavePackage { + get { return ResourceManager.GetString("TCE_AttestationProtocolNotSpecifiedForGeneratingEnclavePackage", resourceCulture); } } - + /// /// Looks up a localized string similar to You have specified the attestation protocol in the connection string, but the SQL Server instance in use does not support enclave based computations.. /// - internal static string TCE_AttestationProtocolNotSupported - { - get - { + internal static string TCE_AttestationProtocolNotSupported { + get { return ResourceManager.GetString("TCE_AttestationProtocolNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to initialize connection. The attestation protocol '{0}' does not support the enclave type '{1}'.. /// - internal static string TCE_AttestationProtocolNotSupportEnclaveType - { - get - { + internal static string TCE_AttestationProtocolNotSupportEnclaveType { + get { return ResourceManager.GetString("TCE_AttestationProtocolNotSupportEnclaveType", resourceCulture); } } - + /// /// Looks up a localized string similar to You have specified the enclave attestation URL in the connection string, but the SQL Server instance in use does not support enclave based computations.. /// - internal static string TCE_AttestationURLNotSupported - { - get - { + internal static string TCE_AttestationURLNotSupported { + get { return ResourceManager.GetString("TCE_AttestationURLNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} should be identical on all commands ({1}, {2}, {3}, {4}) when doing batch updates.. /// - internal static string TCE_BatchedUpdateColumnEncryptionSettingMismatch - { - get - { + internal static string TCE_BatchedUpdateColumnEncryptionSettingMismatch { + get { return ResourceManager.GetString("TCE_BatchedUpdateColumnEncryptionSettingMismatch", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to instantiate an enclave provider with type '{1}' for name '{0}'. Error message: {2} . /// - internal static string TCE_CannotCreateSqlColumnEncryptionEnclaveProvider - { - get - { + internal static string TCE_CannotCreateSqlColumnEncryptionEnclaveProvider { + get { return ResourceManager.GetString("TCE_CannotCreateSqlColumnEncryptionEnclaveProvider", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to read the configuration section for enclave providers. Make sure the section is correctly formatted in your application configuration file. Error Message: {0}. /// - internal static string TCE_CannotGetSqlColumnEncryptionEnclaveProviderConfig - { - get - { + internal static string TCE_CannotGetSqlColumnEncryptionEnclaveProviderConfig { + get { return ResourceManager.GetString("TCE_CannotGetSqlColumnEncryptionEnclaveProviderConfig", resourceCulture); } } - + /// /// Looks up a localized string similar to Key store providers cannot be set more than once.. /// - internal static string TCE_CanOnlyCallOnce - { - get - { + internal static string TCE_CanOnlyCallOnce { + get { return ResourceManager.GetString("TCE_CanOnlyCallOnce", resourceCulture); } } - + /// /// Looks up a localized string similar to Certificate with thumbprint '{0}' not found in certificate store '{1}' in certificate location '{2}'.. /// - internal static string TCE_CertificateNotFound - { - get - { + internal static string TCE_CertificateNotFound { + get { return ResourceManager.GetString("TCE_CertificateNotFound", resourceCulture); } } - + /// /// Looks up a localized string similar to Certificate with thumbprint '{0}' not found in certificate store '{1}' in certificate location '{2}'. Verify the certificate path in the column master key definition in the database is correct, and the certificate has been imported correctly into the certificate location/store.. /// - internal static string TCE_CertificateNotFoundSysErr - { - get - { + internal static string TCE_CertificateNotFoundSysErr { + get { return ResourceManager.GetString("TCE_CertificateNotFoundSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Certificate specified in key path '{0}' does not have a private key to encrypt a column encryption key. Verify the certificate is imported correctly.. /// - internal static string TCE_CertificateWithNoPrivateKey - { - get - { + internal static string TCE_CertificateWithNoPrivateKey { + get { return ResourceManager.GetString("TCE_CertificateWithNoPrivateKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Certificate specified in key path '{0}' does not have a private key to decrypt a column encryption key. Verify the certificate is imported correctly.. /// - internal static string TCE_CertificateWithNoPrivateKeySysErr - { - get - { + internal static string TCE_CertificateWithNoPrivateKeySysErr { + get { return ResourceManager.GetString("TCE_CertificateWithNoPrivateKeySysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to decrypt column '{0}'.. /// - internal static string TCE_ColumnDecryptionFailed - { - get - { + internal static string TCE_ColumnDecryptionFailed { + get { return ResourceManager.GetString("TCE_ColumnDecryptionFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. Encrypted column encryption keys not found when trying to send the keys to the enclave.. /// - internal static string TCE_ColumnEncryptionKeysNotFound - { - get - { + internal static string TCE_ColumnEncryptionKeysNotFound { + get { return ResourceManager.GetString("TCE_ColumnEncryptionKeysNotFound", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. The signature returned by SQL Server for enclave-enabled column master key, specified at key path '{0}', cannot be null or empty.. /// - internal static string TCE_ColumnMasterKeySignatureNotFound - { - get - { + internal static string TCE_ColumnMasterKeySignatureNotFound { + get { return ResourceManager.GetString("TCE_ColumnMasterKeySignatureNotFound", resourceCulture); } } - + /// /// Looks up a localized string similar to The signature returned by SQL Server for the column master key, specified in key path '{0}', is invalid (does not match the computed signature). Recreate column master key metadata, making sure the signature inside the metadata is computed using the column master key being referenced in the metadata. If the error persists, please contact Microsoft for assistance.. /// - internal static string TCE_ColumnMasterKeySignatureVerificationFailed - { - get - { + internal static string TCE_ColumnMasterKeySignatureVerificationFailed { + get { return ResourceManager.GetString("TCE_ColumnMasterKeySignatureVerificationFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Specifies an attestation protocol for its corresponding enclave attestation service.. /// - internal static string TCE_DbConnectionString_AttestationProtocol - { - get - { + internal static string TCE_DbConnectionString_AttestationProtocol { + get { return ResourceManager.GetString("TCE_DbConnectionString_AttestationProtocol", resourceCulture); } } - + /// /// Looks up a localized string similar to Default column encryption setting for all the commands on the connection.. /// - internal static string TCE_DbConnectionString_ColumnEncryptionSetting - { - get - { + internal static string TCE_DbConnectionString_ColumnEncryptionSetting { + get { return ResourceManager.GetString("TCE_DbConnectionString_ColumnEncryptionSetting", resourceCulture); } } - + /// /// Looks up a localized string similar to Specifies an endpoint of an enclave attestation service, which will be used to verify whether the enclave, configured in the SQL Server instance for computations on database columns encrypted using Always Encrypted, is valid and secure.. /// - internal static string TCE_DbConnectionString_EnclaveAttestationUrl - { - get - { + internal static string TCE_DbConnectionString_EnclaveAttestationUrl { + get { return ResourceManager.GetString("TCE_DbConnectionString_EnclaveAttestationUrl", resourceCulture); } } - + /// /// Looks up a localized string similar to Decryption failed. The last 10 bytes of the encrypted column encryption key are: '{0}'. The first 10 bytes of ciphertext are: '{1}'.. /// - internal static string TCE_DecryptionFailed - { - get - { + internal static string TCE_DecryptionFailed { + get { return ResourceManager.GetString("TCE_DecryptionFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. Empty argument '{0}' specified when constructing an object of type '{1}'. '{0}' cannot be empty.. /// - internal static string TCE_EmptyArgumentInConstructorInternal - { - get - { + internal static string TCE_EmptyArgumentInConstructorInternal { + get { return ResourceManager.GetString("TCE_EmptyArgumentInConstructorInternal", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. Argument '{0}' cannot be empty when executing method '{1}.{2}'.. /// - internal static string TCE_EmptyArgumentInternal - { - get - { + internal static string TCE_EmptyArgumentInternal { + get { return ResourceManager.GetString("TCE_EmptyArgumentInternal", resourceCulture); } } - + /// /// Looks up a localized string similar to Empty certificate thumbprint specified in certificate path '{0}'.. /// - internal static string TCE_EmptyCertificateThumbprint - { - get - { + internal static string TCE_EmptyCertificateThumbprint { + get { return ResourceManager.GetString("TCE_EmptyCertificateThumbprint", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Empty certificate thumbprint specified in certificate path '{0}'.. /// - internal static string TCE_EmptyCertificateThumbprintSysErr - { - get - { + internal static string TCE_EmptyCertificateThumbprintSysErr { + get { return ResourceManager.GetString("TCE_EmptyCertificateThumbprintSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Empty key identifier specified in column master key path: '{0}'. Use the following format for a key stored in a Microsoft Cryptography API: Next Generation (CNG) provider: <CNG Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_EmptyCngKeyId - { - get - { + internal static string TCE_EmptyCngKeyId { + get { return ResourceManager.GetString("TCE_EmptyCngKeyId", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Empty key identifier specified in column master key path: '{0}'. Use the following format for a key stored in a Microsoft Cryptography API: Next Generation (CNG) provider: <CNG Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_EmptyCngKeyIdSysErr - { - get - { + internal static string TCE_EmptyCngKeyIdSysErr { + get { return ResourceManager.GetString("TCE_EmptyCngKeyIdSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Empty Microsoft Cryptography API: Next Generation (CNG) provider name specified in column master key path: '{0}'. Use the following format for a key stored in a Microsoft Cryptography API: Next Generation (CNG) provider: <CNG Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_EmptyCngName - { - get - { + internal static string TCE_EmptyCngName { + get { return ResourceManager.GetString("TCE_EmptyCngName", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Empty Microsoft Cryptography API: Next Generation (CNG) provider name specified in column master key path: '{0}'. Use the following format for a key stored in a Microsoft Cryptography API: Next Generation (CNG) provider: <CNG Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_EmptyCngNameSysErr - { - get - { + internal static string TCE_EmptyCngNameSysErr { + get { return ResourceManager.GetString("TCE_EmptyCngNameSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Empty column encryption key specified.. /// - internal static string TCE_EmptyColumnEncryptionKey - { - get - { + internal static string TCE_EmptyColumnEncryptionKey { + get { return ResourceManager.GetString("TCE_EmptyColumnEncryptionKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Empty key identifier specified in column master key path: '{0}'. Use the following format for a key stored in a Microsoft cryptographic service provider (CSP): <CSP Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_EmptyCspKeyId - { - get - { + internal static string TCE_EmptyCspKeyId { + get { return ResourceManager.GetString("TCE_EmptyCspKeyId", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Empty key identifier specified in column master key path: '{0}'. Use the following format for a key stored in a Microsoft cryptographic service provider (CSP): <CSP Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_EmptyCspKeyIdSysErr - { - get - { + internal static string TCE_EmptyCspKeyIdSysErr { + get { return ResourceManager.GetString("TCE_EmptyCspKeyIdSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Empty Microsoft cryptographic service provider (CSP) name specified in column master key path: '{0}'. Use the following format for a key stored in a Microsoft cryptographic service provider (CSP): <CSP Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_EmptyCspName - { - get - { + internal static string TCE_EmptyCspName { + get { return ResourceManager.GetString("TCE_EmptyCspName", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Empty Microsoft cryptographic service provider (CSP) name specified in column master key path: '{0}'. Use the following format for a key stored in a Microsoft cryptographic service provider (CSP): <CSP Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_EmptyCspNameSysErr - { - get - { + internal static string TCE_EmptyCspNameSysErr { + get { return ResourceManager.GetString("TCE_EmptyCspNameSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Empty encrypted column encryption key specified.. /// - internal static string TCE_EmptyEncryptedColumnEncryptionKey - { - get - { + internal static string TCE_EmptyEncryptedColumnEncryptionKey { + get { return ResourceManager.GetString("TCE_EmptyEncryptedColumnEncryptionKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid key store provider name specified. Key store provider names cannot be null or empty.. /// - internal static string TCE_EmptyProviderName - { - get - { + internal static string TCE_EmptyProviderName { + get { return ResourceManager.GetString("TCE_EmptyProviderName", resourceCulture); } } - + /// /// Looks up a localized string similar to You have specified the enclave attestation URL and attestation protocol in the connection string, but the SQL Server instance in use does not support enclave based computations.. /// - internal static string TCE_EnclaveComputationsNotSupported - { - get - { + internal static string TCE_EnclaveComputationsNotSupported { + get { return ResourceManager.GetString("TCE_EnclaveComputationsNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to No enclave provider found for enclave type '{0}' and attestation protocol '{1}'. Please specify the correct attestation protocol in the connection string. . /// - internal static string TCE_EnclaveProviderNotFound - { - get - { + internal static string TCE_EnclaveProviderNotFound { + get { return ResourceManager.GetString("TCE_EnclaveProviderNotFound", resourceCulture); } } - + /// /// Looks up a localized string similar to Executing a query requires enclave computations, but the application configuration is missing the enclave provider section.. /// - internal static string TCE_EnclaveProvidersNotConfiguredForEnclaveBasedQuery - { - get - { + internal static string TCE_EnclaveProvidersNotConfiguredForEnclaveBasedQuery { + get { return ResourceManager.GetString("TCE_EnclaveProvidersNotConfiguredForEnclaveBasedQuery", resourceCulture); } } - + /// /// Looks up a localized string similar to You have specified the enclave attestation URL in the connection string, but the SQL Server instance did not return an enclave type. Please make sure the enclave type is correctly configured in your instance.. /// - internal static string TCE_EnclaveTypeNotReturned - { - get - { + internal static string TCE_EnclaveTypeNotReturned { + get { return ResourceManager.GetString("TCE_EnclaveTypeNotReturned", resourceCulture); } } - + /// /// Looks up a localized string similar to The enclave type '{0}' returned from the server is not supported.. /// - internal static string TCE_EnclaveTypeNotSupported - { - get - { + internal static string TCE_EnclaveTypeNotSupported { + get { return ResourceManager.GetString("TCE_EnclaveTypeNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. Enclave type received from SQL Server is null or empty when executing a query requiring enclave computations.. /// - internal static string TCE_EnclaveTypeNullForEnclaveBasedQuery - { - get - { + internal static string TCE_EnclaveTypeNullForEnclaveBasedQuery { + get { return ResourceManager.GetString("TCE_EnclaveTypeNullForEnclaveBasedQuery", resourceCulture); } } - + /// /// Looks up a localized string similar to Error encountered while generating package to be sent to enclave. Error message: {0}. /// - internal static string TCE_ExceptionWhenGeneratingEnclavePackage - { - get - { + internal static string TCE_ExceptionWhenGeneratingEnclavePackage { + get { return ResourceManager.GetString("TCE_ExceptionWhenGeneratingEnclavePackage", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. Failed to encrypt byte package to be sent to the enclave. Error Message: {0} . /// - internal static string TCE_FailedToEncryptRegisterRulesBytePackage - { - get - { + internal static string TCE_FailedToEncryptRegisterRulesBytePackage { + get { return ResourceManager.GetString("TCE_FailedToEncryptRegisterRulesBytePackage", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. The buffer specified by argument '{0}' for method '{1}.{2}' has insufficient space.. /// - internal static string TCE_InsufficientBuffer - { - get - { + internal static string TCE_InsufficientBuffer { + get { return ResourceManager.GetString("TCE_InsufficientBuffer", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified ciphertext's encryption algorithm version '{0}' does not match the expected encryption algorithm version '{1}'.. /// - internal static string TCE_InvalidAlgorithmVersion - { - get - { + internal static string TCE_InvalidAlgorithmVersion { + get { return ResourceManager.GetString("TCE_InvalidAlgorithmVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to Specified encrypted column encryption key contains an invalid encryption algorithm version '{0}'. Expected version is '{1}'.. /// - internal static string TCE_InvalidAlgorithmVersionInEncryptedCEK - { - get - { + internal static string TCE_InvalidAlgorithmVersionInEncryptedCEK { + get { return ResourceManager.GetString("TCE_InvalidAlgorithmVersionInEncryptedCEK", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid attestation parameters specified by the enclave provider for enclave type '{0}'. Error occurred when converting the value '{1}' of parameter '{2}' to unsigned int. Error Message: {3}. /// - internal static string TCE_InvalidAttestationParameterUnableToConvertToUnsignedInt - { - get - { + internal static string TCE_InvalidAttestationParameterUnableToConvertToUnsignedInt { + get { return ResourceManager.GetString("TCE_InvalidAttestationParameterUnableToConvertToUnsignedInt", resourceCulture); } } - + /// /// Looks up a localized string similar to Specified ciphertext has an invalid authentication tag.. /// - internal static string TCE_InvalidAuthenticationTag - { - get - { + internal static string TCE_InvalidAuthenticationTag { + get { return ResourceManager.GetString("TCE_InvalidAuthenticationTag", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid certificate location '{0}' in certificate path '{1}'. Use the following format: <certificate location>{4}<certificate store>{4}<certificate thumbprint>, where <certificate location> is either '{2}' or '{3}'.. /// - internal static string TCE_InvalidCertificateLocation - { - get - { + internal static string TCE_InvalidCertificateLocation { + get { return ResourceManager.GetString("TCE_InvalidCertificateLocation", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Invalid certificate location '{0}' in certificate path '{1}'. Use the following format: <certificate location>{4}<certificate store>{4}<certificate thumbprint>, where <certificate location> is either '{2}' or '{3}'.. /// - internal static string TCE_InvalidCertificateLocationSysErr - { - get - { + internal static string TCE_InvalidCertificateLocationSysErr { + get { return ResourceManager.GetString("TCE_InvalidCertificateLocationSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid certificate path: '{0}'. Use the following format: <certificate location>{3}<certificate store>{3}<certificate thumbprint>, where <certificate location> is either '{1}' or '{2}'.. /// - internal static string TCE_InvalidCertificatePath - { - get - { + internal static string TCE_InvalidCertificatePath { + get { return ResourceManager.GetString("TCE_InvalidCertificatePath", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Invalid certificate path: '{0}'. Use the following format: <certificate location>{3}<certificate store>{3}<certificate thumbprint>, where <certificate location> is either '{1}' or '{2}'.. /// - internal static string TCE_InvalidCertificatePathSysErr - { - get - { + internal static string TCE_InvalidCertificatePathSysErr { + get { return ResourceManager.GetString("TCE_InvalidCertificatePathSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified encrypted column encryption key signature does not match the signature computed with the column master key (certificate) in '{0}'. The encrypted column encryption key may be corrupt, or the specified path may be incorrect.. /// - internal static string TCE_InvalidCertificateSignature - { - get - { + internal static string TCE_InvalidCertificateSignature { + get { return ResourceManager.GetString("TCE_InvalidCertificateSignature", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid certificate store '{0}' specified in certificate path '{1}'. Expected value: '{2}'.. /// - internal static string TCE_InvalidCertificateStore - { - get - { + internal static string TCE_InvalidCertificateStore { + get { return ResourceManager.GetString("TCE_InvalidCertificateStore", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Invalid certificate store '{0}' specified in certificate path '{1}'. Expected value: '{2}'.. /// - internal static string TCE_InvalidCertificateStoreSysErr - { - get - { + internal static string TCE_InvalidCertificateStoreSysErr { + get { return ResourceManager.GetString("TCE_InvalidCertificateStoreSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified encrypted column encryption key's ciphertext length: {0} does not match the ciphertext length: {1} when using column master key (certificate) in '{2}'. The encrypted column encryption key may be corrupt, or the specified certificate path may be incorrect.. /// - internal static string TCE_InvalidCiphertextLengthInEncryptedCEK - { - get - { + internal static string TCE_InvalidCiphertextLengthInEncryptedCEK { + get { return ResourceManager.GetString("TCE_InvalidCiphertextLengthInEncryptedCEK", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified encrypted column encryption key's ciphertext length: {0} does not match the ciphertext length: {1} when using column master key (asymmetric key) in '{2}'. The encrypted column encryption key may be corrupt, or the specified Microsoft Cryptography API: Next Generation (CNG) provider path may be incorrect.. /// - internal static string TCE_InvalidCiphertextLengthInEncryptedCEKCng - { - get - { + internal static string TCE_InvalidCiphertextLengthInEncryptedCEKCng { + get { return ResourceManager.GetString("TCE_InvalidCiphertextLengthInEncryptedCEKCng", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified encrypted column encryption key's ciphertext length: {0} does not match the ciphertext length: {1} when using column master key (asymmetric key) in '{2}'. The encrypted column encryption key may be corrupt, or the specified Microsoft Cryptographic Service provider (CSP) path may be incorrect.. /// - internal static string TCE_InvalidCiphertextLengthInEncryptedCEKCsp - { - get - { + internal static string TCE_InvalidCiphertextLengthInEncryptedCEKCsp { + get { return ResourceManager.GetString("TCE_InvalidCiphertextLengthInEncryptedCEKCsp", resourceCulture); } } - + /// /// Looks up a localized string similar to Specified ciphertext has an invalid size of {0} bytes, which is below the minimum {1} bytes required for decryption.. /// - internal static string TCE_InvalidCipherTextSize - { - get - { + internal static string TCE_InvalidCipherTextSize { + get { return ResourceManager.GetString("TCE_InvalidCipherTextSize", resourceCulture); } } - + /// /// Looks up a localized string similar to An error occurred while opening the Microsoft Cryptography API: Next Generation (CNG) key: '{0}'. Verify that the CNG provider name '{1}' is valid, installed on the machine, and the key '{2}' exists.. /// - internal static string TCE_InvalidCngKey - { - get - { + internal static string TCE_InvalidCngKey { + get { return ResourceManager.GetString("TCE_InvalidCngKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. An error occurred while opening the Microsoft Cryptography API: Next Generation (CNG) key: '{0}'. Verify that the CNG provider name '{1}' is valid, installed on the machine, and the key '{2}' exists.. /// - internal static string TCE_InvalidCngKeySysErr - { - get - { + internal static string TCE_InvalidCngKeySysErr { + get { return ResourceManager.GetString("TCE_InvalidCngKeySysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid column master key path: '{0}'. Use the following format for a key stored in a Microsoft Cryptography API: Next Generation (CNG) provider: <CNG Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_InvalidCngPath - { - get - { + internal static string TCE_InvalidCngPath { + get { return ResourceManager.GetString("TCE_InvalidCngPath", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Invalid column master key path: '{0}'. Use the following format for a key stored in a Microsoft Cryptography API: Next Generation (CNG) provider: <CNG Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_InvalidCngPathSysErr - { - get - { + internal static string TCE_InvalidCngPathSysErr { + get { return ResourceManager.GetString("TCE_InvalidCngPathSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid key identifier: '{0}'. Verify that the key identifier in column master key path: '{1}' is valid and exists in the CSP.. /// - internal static string TCE_InvalidCspKeyId - { - get - { + internal static string TCE_InvalidCspKeyId { + get { return ResourceManager.GetString("TCE_InvalidCspKeyId", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Invalid key identifier: '{0}'. Verify that the key identifier in column master key path: '{1}' is valid and exists in the CSP.. /// - internal static string TCE_InvalidCspKeyIdSysErr - { - get - { + internal static string TCE_InvalidCspKeyIdSysErr { + get { return ResourceManager.GetString("TCE_InvalidCspKeyIdSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid Microsoft cryptographic service provider (CSP) name: '{0}'. Verify that the CSP provider name in column master key path: '{1}' is valid and installed on the machine.. /// - internal static string TCE_InvalidCspName - { - get - { + internal static string TCE_InvalidCspName { + get { return ResourceManager.GetString("TCE_InvalidCspName", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Invalid Microsoft cryptographic service provider (CSP) name: '{0}'. Verify that the CSP provider name in column master key path: '{1}' is valid and installed on the machine.. /// - internal static string TCE_InvalidCspNameSysErr - { - get - { + internal static string TCE_InvalidCspNameSysErr { + get { return ResourceManager.GetString("TCE_InvalidCspNameSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid column master key path: '{0}'. Use the following format for a key stored in a Microsoft cryptographic service provider (CSP): <CSP Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_InvalidCspPath - { - get - { + internal static string TCE_InvalidCspPath { + get { return ResourceManager.GetString("TCE_InvalidCspPath", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Invalid column master key path: '{0}'. Use the following format for a key stored in a Microsoft cryptographic service provider (CSP): <CSP Provider Name>{1}<Key Identifier>.. /// - internal static string TCE_InvalidCspPathSysErr - { - get - { + internal static string TCE_InvalidCspPathSysErr { + get { return ResourceManager.GetString("TCE_InvalidCspPathSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid key store provider name '{0}'. '{1}' prefix is reserved for system key store providers.. /// - internal static string TCE_InvalidCustomKeyStoreProviderName - { - get - { + internal static string TCE_InvalidCustomKeyStoreProviderName { + get { return ResourceManager.GetString("TCE_InvalidCustomKeyStoreProviderName", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. The given database id '{0}' is not valid. Error occurred when converting the database id to unsigned int. Error Message: {1}. /// - internal static string TCE_InvalidDatabaseIdUnableToCastToUnsignedInt - { - get - { + internal static string TCE_InvalidDatabaseIdUnableToCastToUnsignedInt { + get { return ResourceManager.GetString("TCE_InvalidDatabaseIdUnableToCastToUnsignedInt", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Error occurred when populating enclave metadata. The referenced column encryption key ordinal '{0}' is missing in the encryption metadata returned by SQL Server. Max ordinal is '{1}'. . /// - internal static string TCE_InvalidEncryptionKeyOrdinalEnclaveMetadata - { - get - { + internal static string TCE_InvalidEncryptionKeyOrdinalEnclaveMetadata { + get { return ResourceManager.GetString("TCE_InvalidEncryptionKeyOrdinalEnclaveMetadata", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Error occurred when populating parameter metadata. The referenced column encryption key ordinal '{0}' is missing in the encryption metadata returned by SQL Server. Max ordinal is '{1}'. . /// - internal static string TCE_InvalidEncryptionKeyOrdinalParameterMetadata - { - get - { + internal static string TCE_InvalidEncryptionKeyOrdinalParameterMetadata { + get { return ResourceManager.GetString("TCE_InvalidEncryptionKeyOrdinalParameterMetadata", resourceCulture); } } - + /// /// Looks up a localized string similar to Encryption type '{1}' specified for the column in the database is either invalid or corrupted. Valid encryption types for algorithm '{0}' are: {2}.. /// - internal static string TCE_InvalidEncryptionType - { - get - { + internal static string TCE_InvalidEncryptionType { + get { return ResourceManager.GetString("TCE_InvalidEncryptionType", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid key encryption algorithm specified: '{0}'. Expected value: '{1}'.. /// - internal static string TCE_InvalidKeyEncryptionAlgorithm - { - get - { + internal static string TCE_InvalidKeyEncryptionAlgorithm { + get { return ResourceManager.GetString("TCE_InvalidKeyEncryptionAlgorithm", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Invalid key encryption algorithm specified: '{0}'. Expected value: '{1}'.. /// - internal static string TCE_InvalidKeyEncryptionAlgorithmSysErr - { - get - { + internal static string TCE_InvalidKeyEncryptionAlgorithmSysErr { + get { return ResourceManager.GetString("TCE_InvalidKeyEncryptionAlgorithmSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. The given key id '{0}' is not valid. Error occurred when converting the key id to unsigned short. Error Message: {1}. /// - internal static string TCE_InvalidKeyIdUnableToCastToUnsignedShort - { - get - { + internal static string TCE_InvalidKeyIdUnableToCastToUnsignedShort { + get { return ResourceManager.GetString("TCE_InvalidKeyIdUnableToCastToUnsignedShort", resourceCulture); } } - + /// /// Looks up a localized string similar to The column encryption key has been successfully decrypted but it's length: {1} does not match the length: {2} for algorithm '{0}'. Verify the encrypted value of the column encryption key in the database.. /// - internal static string TCE_InvalidKeySize - { - get - { + internal static string TCE_InvalidKeySize { + get { return ResourceManager.GetString("TCE_InvalidKeySize", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid key store provider name: '{0}'. A key store provider name must denote either a system key store provider or a registered custom key store provider. Valid system key store provider names are: {1}. Valid (currently registered) custom key store provider names are: {2}. Please verify key store provider information in column master key definitions in the database, and verify all custom key store providers used in your application are registered properly.. /// - internal static string TCE_InvalidKeyStoreProviderName - { - get - { + internal static string TCE_InvalidKeyStoreProviderName { + get { return ResourceManager.GetString("TCE_InvalidKeyStoreProviderName", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified encrypted column encryption key signature does not match the signature computed with the column master key (asymmetric key) in '{0}'. The encrypted column encryption key may be corrupt, or the specified path may be incorrect.. /// - internal static string TCE_InvalidSignature - { - get - { + internal static string TCE_InvalidSignature { + get { return ResourceManager.GetString("TCE_InvalidSignature", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified encrypted column encryption key's signature length: {0} does not match the signature length: {1} when using column master key (certificate) in '{2}'. The encrypted column encryption key may be corrupt, or the specified certificate path may be incorrect.. /// - internal static string TCE_InvalidSignatureInEncryptedCEK - { - get - { + internal static string TCE_InvalidSignatureInEncryptedCEK { + get { return ResourceManager.GetString("TCE_InvalidSignatureInEncryptedCEK", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified encrypted column encryption key's signature length: {0} does not match the signature length: {1} when using column master key (asymmetric key) in '{2}'. The encrypted column encryption key may be corrupt, or the specified Microsoft Cryptography API: Next Generation (CNG) provider path may be incorrect.. /// - internal static string TCE_InvalidSignatureInEncryptedCEKCng - { - get - { + internal static string TCE_InvalidSignatureInEncryptedCEKCng { + get { return ResourceManager.GetString("TCE_InvalidSignatureInEncryptedCEKCng", resourceCulture); } } - + /// /// Looks up a localized string similar to The specified encrypted column encryption key's signature length: {0} does not match the signature length: {1} when using column master key (asymmetric key) in '{2}'. The encrypted column encryption key may be corrupt, or the specified Microsoft cryptographic service provider (CSP) path may be incorrect.. /// - internal static string TCE_InvalidSignatureInEncryptedCEKCsp - { - get - { + internal static string TCE_InvalidSignatureInEncryptedCEKCsp { + get { return ResourceManager.GetString("TCE_InvalidSignatureInEncryptedCEKCsp", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to decrypt a column encryption key using key store provider: '{0}'. Verify the properties of the column encryption key and its column master key in your database. The last 10 bytes of the encrypted column encryption key are: '{1}'.. /// - internal static string TCE_KeyDecryptionFailed - { - get - { + internal static string TCE_KeyDecryptionFailed { + get { return ResourceManager.GetString("TCE_KeyDecryptionFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to decrypt a column encryption key using key store provider: '{0}'. The last 10 bytes of the encrypted column encryption key are: '{1}'.. /// - internal static string TCE_KeyDecryptionFailedCertStore - { - get - { + internal static string TCE_KeyDecryptionFailedCertStore { + get { return ResourceManager.GetString("TCE_KeyDecryptionFailedCertStore", resourceCulture); } } - + /// /// Looks up a localized string similar to Specified certificate path has {0} bytes, which exceeds maximum length of {1} bytes.. /// - internal static string TCE_LargeCertificatePathLength - { - get - { + internal static string TCE_LargeCertificatePathLength { + get { return ResourceManager.GetString("TCE_LargeCertificatePathLength", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Specified certificate path has {0} bytes, which exceeds maximum length of {1} bytes.. /// - internal static string TCE_LargeCertificatePathLengthSysErr - { - get - { + internal static string TCE_LargeCertificatePathLengthSysErr { + get { return ResourceManager.GetString("TCE_LargeCertificatePathLengthSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Error occurred when parsing the results of '{0}'. The attestation information resultset is expected to contain only one row, but it contains multiple rows.. /// - internal static string TCE_MultipleRowsReturnedForAttestationInfo - { - get - { + internal static string TCE_MultipleRowsReturnedForAttestationInfo { + get { return ResourceManager.GetString("TCE_MultipleRowsReturnedForAttestationInfo", resourceCulture); } } - + /// /// Looks up a localized string similar to Error occurred when generating enclave package. Attestation URL has not been specified in the connection string, but the query requires enclave computations. Enclave type is '{0}'. . /// - internal static string TCE_NoAttestationUrlSpecifiedForEnclaveBasedQueryGeneratingEnclavePackage - { - get - { + internal static string TCE_NoAttestationUrlSpecifiedForEnclaveBasedQueryGeneratingEnclavePackage { + get { return ResourceManager.GetString("TCE_NoAttestationUrlSpecifiedForEnclaveBasedQueryGeneratingEnclavePackage", resourceCulture); } } - + /// /// Looks up a localized string similar to Error occurred when reading '{0}' resultset. Attestation URL has not been specified in the connection string, but the query requires enclave computations. Enclave type is '{1}'. . /// - internal static string TCE_NoAttestationUrlSpecifiedForEnclaveBasedQuerySpDescribe - { - get - { + internal static string TCE_NoAttestationUrlSpecifiedForEnclaveBasedQuerySpDescribe { + get { return ResourceManager.GetString("TCE_NoAttestationUrlSpecifiedForEnclaveBasedQuerySpDescribe", resourceCulture); } } - + /// /// Looks up a localized string similar to {0} instance in use does not support column encryption.. /// - internal static string TCE_NotSupportedByServer - { - get - { + internal static string TCE_NotSupportedByServer { + get { return ResourceManager.GetString("TCE_NotSupportedByServer", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. Null argument '{0}' specified when constructing an object of type '{1}'. '{0}' cannot be null.. /// - internal static string TCE_NullArgumentInConstructorInternal - { - get - { + internal static string TCE_NullArgumentInConstructorInternal { + get { return ResourceManager.GetString("TCE_NullArgumentInConstructorInternal", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. Argument '{0}' cannot be null when executing method '{1}.{2}'.. /// - internal static string TCE_NullArgumentInternal - { - get - { + internal static string TCE_NullArgumentInternal { + get { return ResourceManager.GetString("TCE_NullArgumentInternal", resourceCulture); } } - + /// /// Looks up a localized string similar to Certificate path cannot be null. Use the following format: <certificate location>{2}<certificate store>{2}<certificate thumbprint>, where <certificate location> is either '{0}' or '{1}'.. /// - internal static string TCE_NullCertificatePath - { - get - { + internal static string TCE_NullCertificatePath { + get { return ResourceManager.GetString("TCE_NullCertificatePath", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Certificate path cannot be null. Use the following format: <certificate location>{2}<certificate store>{2}<certificate thumbprint>, where <certificate location> is either '{0}' or '{1}'.. /// - internal static string TCE_NullCertificatePathSysErr - { - get - { + internal static string TCE_NullCertificatePathSysErr { + get { return ResourceManager.GetString("TCE_NullCertificatePathSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Ciphertext value cannot be null.. /// - internal static string TCE_NullCipherText - { - get - { + internal static string TCE_NullCipherText { + get { return ResourceManager.GetString("TCE_NullCipherText", resourceCulture); } } - + /// /// Looks up a localized string similar to Column master key path cannot be null. Use the following format for a key stored in a Microsoft Cryptography API: Next Generation (CNG) provider: <CNG Provider Name>{0}<Key Identifier>.. /// - internal static string TCE_NullCngPath - { - get - { + internal static string TCE_NullCngPath { + get { return ResourceManager.GetString("TCE_NullCngPath", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Column master key path cannot be null. Use the following format for a key stored in a Microsoft Cryptography API: Next Generation (CNG) provider: <CNG Provider Name>{0}<Key Identifier>.. /// - internal static string TCE_NullCngPathSysErr - { - get - { + internal static string TCE_NullCngPathSysErr { + get { return ResourceManager.GetString("TCE_NullCngPathSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Encryption algorithm cannot be null. Valid algorithms are: {0}.. /// - internal static string TCE_NullColumnEncryptionAlgorithm - { - get - { + internal static string TCE_NullColumnEncryptionAlgorithm { + get { return ResourceManager.GetString("TCE_NullColumnEncryptionAlgorithm", resourceCulture); } } - + /// /// Looks up a localized string similar to Column encryption key cannot be null.. /// - internal static string TCE_NullColumnEncryptionKey - { - get - { + internal static string TCE_NullColumnEncryptionKey { + get { return ResourceManager.GetString("TCE_NullColumnEncryptionKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Column encryption key cannot be null.. /// - internal static string TCE_NullColumnEncryptionKeySysErr - { - get - { + internal static string TCE_NullColumnEncryptionKeySysErr { + get { return ResourceManager.GetString("TCE_NullColumnEncryptionKeySysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Column master key path cannot be null. Use the following format for a key stored in a Microsoft cryptographic service provider (CSP): <CSP Provider Name>{0}<Key Identifier>.. /// - internal static string TCE_NullCspPath - { - get - { + internal static string TCE_NullCspPath { + get { return ResourceManager.GetString("TCE_NullCspPath", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Column master key path cannot be null. Use the following format for a key stored in a Microsoft cryptographic service provider (CSP): <CSP Provider Name>{0}<Key Identifier>.. /// - internal static string TCE_NullCspPathSysErr - { - get - { + internal static string TCE_NullCspPathSysErr { + get { return ResourceManager.GetString("TCE_NullCspPathSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Column encryption key store provider dictionary cannot be null. Expecting a non-null value.. /// - internal static string TCE_NullCustomKeyStoreProviderDictionary - { - get - { + internal static string TCE_NullCustomKeyStoreProviderDictionary { + get { return ResourceManager.GetString("TCE_NullCustomKeyStoreProviderDictionary", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. Enclave package is null during execution of an enclave based query. Enclave type is '{0}' and enclaveAttestationUrl is '{1}'.. /// - internal static string TCE_NullEnclavePackageForEnclaveBasedQuery - { - get - { + internal static string TCE_NullEnclavePackageForEnclaveBasedQuery { + get { return ResourceManager.GetString("TCE_NullEnclavePackageForEnclaveBasedQuery", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. Enclave session is null during query execution. Enclave type is '{0}' and enclaveAttestationUrl is '{1}'.. /// - internal static string TCE_NullEnclaveSessionDuringQueryExecution - { - get - { + internal static string TCE_NullEnclaveSessionDuringQueryExecution { + get { return ResourceManager.GetString("TCE_NullEnclaveSessionDuringQueryExecution", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to communicate with the enclave. Null enclave session information received from the enclave provider. Enclave type is '{0}' and enclave attestation URL is '{1}'.. /// - internal static string TCE_NullEnclaveSessionReturnedFromProvider - { - get - { + internal static string TCE_NullEnclaveSessionReturnedFromProvider { + get { return ResourceManager.GetString("TCE_NullEnclaveSessionReturnedFromProvider", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Encrypted column encryption key cannot be null.. /// - internal static string TCE_NullEncryptedColumnEncryptionKey - { - get - { + internal static string TCE_NullEncryptedColumnEncryptionKey { + get { return ResourceManager.GetString("TCE_NullEncryptedColumnEncryptionKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Key encryption algorithm cannot be null.. /// - internal static string TCE_NullKeyEncryptionAlgorithm - { - get - { + internal static string TCE_NullKeyEncryptionAlgorithm { + get { return ResourceManager.GetString("TCE_NullKeyEncryptionAlgorithm", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Key encryption algorithm cannot be null.. /// - internal static string TCE_NullKeyEncryptionAlgorithmSysErr - { - get - { + internal static string TCE_NullKeyEncryptionAlgorithmSysErr { + get { return ResourceManager.GetString("TCE_NullKeyEncryptionAlgorithmSysErr", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Plaintext value cannot be null.. /// - internal static string TCE_NullPlainText - { - get - { + internal static string TCE_NullPlainText { + get { return ResourceManager.GetString("TCE_NullPlainText", resourceCulture); } } - + /// /// Looks up a localized string similar to Null reference specified for key store provider '{0}'. Expecting a non-null value.. /// - internal static string TCE_NullProviderValue - { - get - { + internal static string TCE_NullProviderValue { + get { return ResourceManager.GetString("TCE_NullProviderValue", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. Failed to serialize keys to be sent to the enclave. The start offset specified by argument '{0}' for method {1}.{2} is out of bounds.. /// - internal static string TCE_OffsetOutOfBounds - { - get - { + internal static string TCE_OffsetOutOfBounds { + get { return ResourceManager.GetString("TCE_OffsetOutOfBounds", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to decrypt parameter '{0}'.. /// - internal static string TCE_ParamDecryptionFailed - { - get - { + internal static string TCE_ParamDecryptionFailed { + get { return ResourceManager.GetString("TCE_ParamDecryptionFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to encrypt parameter '{0}'.. /// - internal static string TCE_ParamEncryptionFailed - { - get - { + internal static string TCE_ParamEncryptionFailed { + get { return ResourceManager.GetString("TCE_ParamEncryptionFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Metadata for parameter '{1}' in statement or procedure '{2}' is missing in resultset returned by {0}.. /// - internal static string TCE_ParamEncryptionMetaDataMissing - { - get - { + internal static string TCE_ParamEncryptionMetaDataMissing { + get { return ResourceManager.GetString("TCE_ParamEncryptionMetaDataMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot set {0} for {3} '{1}' because encryption is not enabled for the statement or procedure '{2}'.. /// - internal static string TCE_ParamInvalidForceColumnEncryptionSetting - { - get - { + internal static string TCE_ParamInvalidForceColumnEncryptionSetting { + get { return ResourceManager.GetString("TCE_ParamInvalidForceColumnEncryptionSetting", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot execute statement or procedure '{1}' because {2} was set for {3} '{0}' and the database expects this parameter to be sent as plaintext. This may be due to a configuration error.. /// - internal static string TCE_ParamUnExpectedEncryptionMetadata - { - get - { + internal static string TCE_ParamUnExpectedEncryptionMetadata { + get { return ResourceManager.GetString("TCE_ParamUnExpectedEncryptionMetadata", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. Metadata for parameters for command '{1}' in a batch is missing in the resultset returned by {0}.. /// - internal static string TCE_ProcEncryptionMetaDataMissing - { - get - { + internal static string TCE_ProcEncryptionMetaDataMissing { + get { return ResourceManager.GetString("TCE_ProcEncryptionMetaDataMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to Retrieving encrypted column '{0}' with {1} is not supported.. /// - internal static string TCE_SequentialAccessNotSupportedOnEncryptedColumn - { - get - { + internal static string TCE_SequentialAccessNotSupportedOnEncryptedColumn { + get { return ResourceManager.GetString("TCE_SequentialAccessNotSupportedOnEncryptedColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal Error. SqlColumnEncryptionEnclaveProviderName cannot be null or empty.. /// - internal static string TCE_SqlColumnEncryptionEnclaveProviderNameCannotBeEmpty - { - get - { + internal static string TCE_SqlColumnEncryptionEnclaveProviderNameCannotBeEmpty { + get { return ResourceManager.GetString("TCE_SqlColumnEncryptionEnclaveProviderNameCannotBeEmpty", resourceCulture); } } - + /// /// Looks up a localized string similar to Column encryption setting for the command. Overrides the connection level default.. /// - internal static string TCE_SqlCommand_ColumnEncryptionSetting - { - get - { + internal static string TCE_SqlCommand_ColumnEncryptionSetting { + get { return ResourceManager.GetString("TCE_SqlCommand_ColumnEncryptionSetting", resourceCulture); } } - + /// /// Looks up a localized string similar to Defines the time-to-live of entries in the column encryption key cache.. /// - internal static string TCE_SqlConnection_ColumnEncryptionKeyCacheTtl - { - get - { + internal static string TCE_SqlConnection_ColumnEncryptionKeyCacheTtl { + get { return ResourceManager.GetString("TCE_SqlConnection_ColumnEncryptionKeyCacheTtl", resourceCulture); } } - + /// /// Looks up a localized string similar to Defines whether query metadata caching is enabled.. /// - internal static string TCE_SqlConnection_ColumnEncryptionQueryMetadataCacheEnabled - { - get - { + internal static string TCE_SqlConnection_ColumnEncryptionQueryMetadataCacheEnabled { + get { return ResourceManager.GetString("TCE_SqlConnection_ColumnEncryptionQueryMetadataCacheEnabled", resourceCulture); } } - + /// /// Looks up a localized string similar to Dictionary object containing SQL Server names and their trusted column master key paths.. /// - internal static string TCE_SqlConnection_TrustedColumnMasterKeyPaths - { - get - { + internal static string TCE_SqlConnection_TrustedColumnMasterKeyPaths { + get { return ResourceManager.GetString("TCE_SqlConnection_TrustedColumnMasterKeyPaths", resourceCulture); } } - + /// /// Looks up a localized string similar to Forces parameter to be encrypted before sending sensitive data to server. . /// - internal static string TCE_SqlParameter_ForceColumnEncryption - { - get - { + internal static string TCE_SqlParameter_ForceColumnEncryption { + get { return ResourceManager.GetString("TCE_SqlParameter_ForceColumnEncryption", resourceCulture); } } - + /// /// Looks up a localized string similar to Retrieving encrypted column '{0}' as a {1} is not supported.. /// - internal static string TCE_StreamNotSupportOnEncryptedColumn - { - get - { + internal static string TCE_StreamNotSupportOnEncryptedColumn { + get { return ResourceManager.GetString("TCE_StreamNotSupportOnEncryptedColumn", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to establish secure channel. Error Message: {0}. /// - internal static string TCE_UnableToEstablishSecureChannel - { - get - { + internal static string TCE_UnableToEstablishSecureChannel { + get { return ResourceManager.GetString("TCE_UnableToEstablishSecureChannel", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to verify a column master key signature. Error message: {0} . /// - internal static string TCE_UnableToVerifyColumnMasterKeySignature - { - get - { + internal static string TCE_UnableToVerifyColumnMasterKeySignature { + get { return ResourceManager.GetString("TCE_UnableToVerifyColumnMasterKeySignature", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. The result returned by '{0}' is invalid. The attestation information resultset is missing for enclave type '{1}'. . /// - internal static string TCE_UnexpectedDescribeParamFormatAttestationInfo - { - get - { + internal static string TCE_UnexpectedDescribeParamFormatAttestationInfo { + get { return ResourceManager.GetString("TCE_UnexpectedDescribeParamFormatAttestationInfo", resourceCulture); } } - + /// /// Looks up a localized string similar to Internal error. The result returned by '{0}' is invalid. The parameter metadata resultset is missing.. /// - internal static string TCE_UnexpectedDescribeParamFormatParameterMetadata - { - get - { + internal static string TCE_UnexpectedDescribeParamFormatParameterMetadata { + get { return ResourceManager.GetString("TCE_UnexpectedDescribeParamFormatParameterMetadata", resourceCulture); } } - + /// /// Looks up a localized string similar to Encryption algorithm '{0}' for the column in the database is either invalid or corrupted. Valid algorithms are: {1}.. /// - internal static string TCE_UnknownColumnEncryptionAlgorithm - { - get - { + internal static string TCE_UnknownColumnEncryptionAlgorithm { + get { return ResourceManager.GetString("TCE_UnknownColumnEncryptionAlgorithm", resourceCulture); } } - + /// /// Looks up a localized string similar to Encryption algorithm id '{0}' for the column in the database is either invalid or corrupted. Valid encryption algorithm ids are: {1}.. /// - internal static string TCE_UnknownColumnEncryptionAlgorithmId - { - get - { + internal static string TCE_UnknownColumnEncryptionAlgorithmId { + get { return ResourceManager.GetString("TCE_UnknownColumnEncryptionAlgorithmId", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to decrypt a column encryption key. Invalid key store provider name: '{0}'. A key store provider name must denote either a system key store provider or a registered custom key store provider. Valid system key store provider names are: {1}. Valid (currently registered) custom key store provider names are: {2}. Please verify key store provider information in column master key definitions in the database, and verify all custom key store providers used in your application are registered properly.. /// - internal static string TCE_UnrecognizedKeyStoreProviderName - { - get - { + internal static string TCE_UnrecognizedKeyStoreProviderName { + get { return ResourceManager.GetString("TCE_UnrecognizedKeyStoreProviderName", resourceCulture); } } - + /// /// Looks up a localized string similar to Encryption and decryption of data type '{0}' is not supported.. /// - internal static string TCE_UnsupportedDatatype - { - get - { + internal static string TCE_UnsupportedDatatype { + get { return ResourceManager.GetString("TCE_UnsupportedDatatype", resourceCulture); } } - + /// /// Looks up a localized string similar to Normalization version '{0}' received from {2} is not supported. Valid normalization versions are: {1}.. /// - internal static string TCE_UnsupportedNormalizationVersion - { - get - { + internal static string TCE_UnsupportedNormalizationVersion { + get { return ResourceManager.GetString("TCE_UnsupportedNormalizationVersion", resourceCulture); } } - + /// /// Looks up a localized string similar to Column master key path '{0}' received from server '{1}' is not a trusted key path.. /// - internal static string TCE_UntrustedKeyPath - { - get - { + internal static string TCE_UntrustedKeyPath { + get { return ResourceManager.GetString("TCE_UntrustedKeyPath", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot encrypt. Encrypting resulted in {0} bytes of ciphertext which exceeds the maximum allowed limit of {1} bytes. The specified plaintext value is likely too large (plaintext size is: {2} bytes).. /// - internal static string TCE_VeryLargeCiphertext - { - get - { + internal static string TCE_VeryLargeCiphertext { + get { return ResourceManager.GetString("TCE_VeryLargeCiphertext", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to check if the enclave is running in the production mode. Contact Customer Support Services.. /// - internal static string VerifyEnclaveDebuggable - { - get - { + internal static string VerifyEnclaveDebuggable { + get { return ResourceManager.GetString("VerifyEnclaveDebuggable", resourceCulture); } } - + /// /// Looks up a localized string similar to Could not verify enclave policy due to a difference between the expected and actual values of the policy on property '{0}'. Actual: '{1}', Expected: '{2}'.. /// - internal static string VerifyEnclavePolicyFailedFormat - { - get - { + internal static string VerifyEnclavePolicyFailedFormat { + get { return ResourceManager.GetString("VerifyEnclavePolicyFailedFormat", resourceCulture); } } - + /// /// Looks up a localized string similar to Signature verification of the enclave report failed. The report signature does not match the signature computed using the HGS root certificate. Verify the DNS mapping for the endpoint. If correct, contact Customer Support Services.. /// - internal static string VerifyEnclaveReportFailed - { - get - { + internal static string VerifyEnclaveReportFailed { + get { return ResourceManager.GetString("VerifyEnclaveReportFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to The enclave report received from SQL Server is not in the correct format. Contact Customer Support Services.. /// - internal static string VerifyEnclaveReportFormatFailed - { - get - { + internal static string VerifyEnclaveReportFormatFailed { + get { return ResourceManager.GetString("VerifyEnclaveReportFormatFailed", resourceCulture); } } - + /// /// Looks up a localized string similar to Failed to build a chain of trust between the enclave host's health report and the HGS root certificate for attestation URL '{0}' with status: '{1}'. Verify the attestation URL matches the URL configured on the SQL Server machine. If both the client and SQL Server use the same attestation service, contact Customer Support Services.. /// - internal static string VerifyHealthCertificateChainFormat - { - get - { + internal static string VerifyHealthCertificateChainFormat { + get { return ResourceManager.GetString("VerifyHealthCertificateChainFormat", resourceCulture); } } - + /// /// Looks up a localized string similar to The value of attribute '{0}' should be '{1}' or '{2}'.. /// - internal static string Xml_AttributeValues - { - get - { + internal static string Xml_AttributeValues { + get { return ResourceManager.GetString("Xml_AttributeValues", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot convert '{0}' to type '{1}'.. /// - internal static string Xml_CannotConvert - { - get - { + internal static string Xml_CannotConvert { + get { return ResourceManager.GetString("Xml_CannotConvert", resourceCulture); } } - + /// /// Looks up a localized string similar to Unable to proceed with deserialization. Data does not implement IXMLSerializable, therefore polymorphism is not supported.. /// - internal static string Xml_CanNotDeserializeObjectType - { - get - { + internal static string Xml_CanNotDeserializeObjectType { + get { return ResourceManager.GetString("Xml_CanNotDeserializeObjectType", resourceCulture); } } - + /// /// Looks up a localized string similar to DataSet cannot instantiate an abstract ComplexType for the node {0}.. /// - internal static string Xml_CannotInstantiateAbstract - { - get - { + internal static string Xml_CannotInstantiateAbstract { + get { return ResourceManager.GetString("Xml_CannotInstantiateAbstract", resourceCulture); } } - + /// /// Looks up a localized string similar to DataSet doesn't allow the circular reference in the ComplexType named '{0}'.. /// - internal static string Xml_CircularComplexType - { - get - { + internal static string Xml_CircularComplexType { + get { return ResourceManager.GetString("Xml_CircularComplexType", resourceCulture); } } - + /// /// Looks up a localized string similar to Column name '{0}' is defined for different mapping types.. /// - internal static string Xml_ColumnConflict - { - get - { + internal static string Xml_ColumnConflict { + get { return ResourceManager.GetString("Xml_ColumnConflict", resourceCulture); } } - + /// /// Looks up a localized string similar to DataTable does not support schema inference from Xml.. /// - internal static string Xml_DataTableInferenceNotSupported - { - get - { + internal static string Xml_DataTableInferenceNotSupported { + get { return ResourceManager.GetString("Xml_DataTableInferenceNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Data type not defined.. /// - internal static string Xml_DatatypeNotDefined - { - get - { + internal static string Xml_DatatypeNotDefined { + get { return ResourceManager.GetString("Xml_DatatypeNotDefined", resourceCulture); } } - + /// /// Looks up a localized string similar to The constraint name {0} is already used in the schema.. /// - internal static string Xml_DuplicateConstraint - { - get - { + internal static string Xml_DuplicateConstraint { + get { return ResourceManager.GetString("Xml_DuplicateConstraint", resourceCulture); } } - + /// /// Looks up a localized string similar to DataSet will not serialize types that implement IDynamicMetaObjectProvider but do not also implement IXmlSerializable.. /// - internal static string Xml_DynamicWithoutXmlSerializable - { - get - { + internal static string Xml_DynamicWithoutXmlSerializable { + get { return ResourceManager.GetString("Xml_DynamicWithoutXmlSerializable", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot find ElementType name='{0}'.. /// - internal static string Xml_ElementTypeNotFound - { - get - { + internal static string Xml_ElementTypeNotFound { + get { return ResourceManager.GetString("Xml_ElementTypeNotFound", resourceCulture); } } - + /// /// Looks up a localized string similar to DataSet cannot expand entities. Use XmlValidatingReader and set the EntityHandling property accordingly.. /// - internal static string Xml_FoundEntity - { - get - { + internal static string Xml_FoundEntity { + get { return ResourceManager.GetString("Xml_FoundEntity", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid XPath selection inside field node. Cannot find: {0}.. /// - internal static string Xml_InvalidField - { - get - { + internal static string Xml_InvalidField { + get { return ResourceManager.GetString("Xml_InvalidField", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid 'Key' node inside constraint named: {0}.. /// - internal static string Xml_InvalidKey - { - get - { + internal static string Xml_InvalidKey { + get { return ResourceManager.GetString("Xml_InvalidKey", resourceCulture); } } - + /// /// Looks up a localized string similar to Prefix '{0}' is not valid, because it contains special characters.. /// - internal static string Xml_InvalidPrefix - { - get - { + internal static string Xml_InvalidPrefix { + get { return ResourceManager.GetString("Xml_InvalidPrefix", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid XPath selection inside selector node: {0}.. /// - internal static string Xml_InvalidSelector - { - get - { + internal static string Xml_InvalidSelector { + get { return ResourceManager.GetString("Xml_InvalidSelector", resourceCulture); } } - + /// /// Looks up a localized string similar to IsDataSet attribute is missing in input Schema.. /// - internal static string Xml_IsDataSetAttributeMissingInSchema - { - get - { + internal static string Xml_IsDataSetAttributeMissingInSchema { + get { return ResourceManager.GetString("Xml_IsDataSetAttributeMissingInSchema", resourceCulture); } } - + /// /// Looks up a localized string similar to Duplicated declaration '{0}'.. /// - internal static string Xml_MergeDuplicateDeclaration - { - get - { + internal static string Xml_MergeDuplicateDeclaration { + get { return ResourceManager.GetString("Xml_MergeDuplicateDeclaration", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid Relation definition: different length keys.. /// - internal static string Xml_MismatchKeyLength - { - get - { + internal static string Xml_MismatchKeyLength { + get { return ResourceManager.GetString("Xml_MismatchKeyLength", resourceCulture); } } - + /// /// Looks up a localized string similar to Invalid {0} syntax: missing required '{1}' attribute.. /// - internal static string Xml_MissingAttribute - { - get - { + internal static string Xml_MissingAttribute { + get { return ResourceManager.GetString("Xml_MissingAttribute", resourceCulture); } } - + /// /// Looks up a localized string similar to Missing '{0}' part in '{1}' constraint named '{2}'.. /// - internal static string Xml_MissingRefer - { - get - { + internal static string Xml_MissingRefer { + get { return ResourceManager.GetString("Xml_MissingRefer", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot load diffGram. The 'sql' node is missing.. /// - internal static string Xml_MissingSQL - { - get - { + internal static string Xml_MissingSQL { + get { return ResourceManager.GetString("Xml_MissingSQL", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot load diffGram. Table '{0}' is missing in the destination dataset.. /// - internal static string Xml_MissingTable - { - get - { + internal static string Xml_MissingTable { + get { return ResourceManager.GetString("Xml_MissingTable", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot proceed with serializing DataTable '{0}'. It contains a DataRow which has multiple parent rows on the same Foreign Key.. /// - internal static string Xml_MultipleParentRows - { - get - { + internal static string Xml_MultipleParentRows { + get { return ResourceManager.GetString("Xml_MultipleParentRows", resourceCulture); } } - + /// /// Looks up a localized string similar to An error occurred with the multiple target converter while writing an Xml Schema. A null or empty string was returned.. /// - internal static string Xml_MultipleTargetConverterEmpty - { - get - { + internal static string Xml_MultipleTargetConverterEmpty { + get { return ResourceManager.GetString("Xml_MultipleTargetConverterEmpty", resourceCulture); } } - + /// /// Looks up a localized string similar to An error occurred with the multiple target converter while writing an Xml Schema. See the inner exception for details.. /// - internal static string Xml_MultipleTargetConverterError - { - get - { + internal static string Xml_MultipleTargetConverterError { + get { return ResourceManager.GetString("Xml_MultipleTargetConverterError", resourceCulture); } } - + /// /// Looks up a localized string similar to Circular reference in self-nested table '{0}'.. /// - internal static string Xml_NestedCircular - { - get - { + internal static string Xml_NestedCircular { + get { return ResourceManager.GetString("Xml_NestedCircular", resourceCulture); } } - + /// /// Looks up a localized string similar to Type '{0}' does not implement IXmlSerializable interface therefore can not proceed with serialization.. /// - internal static string Xml_PolymorphismNotSupported - { - get - { + internal static string Xml_PolymorphismNotSupported { + get { return ResourceManager.GetString("Xml_PolymorphismNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Child table key is missing in relation '{0}'.. /// - internal static string Xml_RelationChildKeyMissing - { - get - { + internal static string Xml_RelationChildKeyMissing { + get { return ResourceManager.GetString("Xml_RelationChildKeyMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to Child table name is missing in relation '{0}'.. /// - internal static string Xml_RelationChildNameMissing - { - get - { + internal static string Xml_RelationChildNameMissing { + get { return ResourceManager.GetString("Xml_RelationChildNameMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to Parent table name is missing in relation '{0}'.. /// - internal static string Xml_RelationParentNameMissing - { - get - { + internal static string Xml_RelationParentNameMissing { + get { return ResourceManager.GetString("Xml_RelationParentNameMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to Parent table key is missing in relation '{0}'.. /// - internal static string Xml_RelationTableKeyMissing - { - get - { + internal static string Xml_RelationTableKeyMissing { + get { return ResourceManager.GetString("Xml_RelationTableKeyMissing", resourceCulture); } } - + /// /// Looks up a localized string similar to DataSet doesn't support 'union' or 'list' as simpleType.. /// - internal static string Xml_SimpleTypeNotSupported - { - get - { + internal static string Xml_SimpleTypeNotSupported { + get { return ResourceManager.GetString("Xml_SimpleTypeNotSupported", resourceCulture); } } - + /// /// Looks up a localized string similar to Cannot determine the DataSet Element. IsDataSet attribute exist more than once.. /// - internal static string Xml_TooManyIsDataSetAtributeInSchema - { - get - { + internal static string Xml_TooManyIsDataSetAtributeInSchema { + get { return ResourceManager.GetString("Xml_TooManyIsDataSetAtributeInSchema", resourceCulture); } } - + /// /// Looks up a localized string similar to Undefined data type: '{0}'.. /// - internal static string Xml_UndefinedDatatype - { - get - { + internal static string Xml_UndefinedDatatype { + get { return ResourceManager.GetString("Xml_UndefinedDatatype", resourceCulture); } } - + /// /// Looks up a localized string similar to Value '{1}' is invalid for attribute '{0}'.. /// - internal static string Xml_ValueOutOfRange - { - get - { + internal static string Xml_ValueOutOfRange { + get { return ResourceManager.GetString("Xml_ValueOutOfRange", resourceCulture); } } From 688091b0f7ee2bb7f6c15975b33cbef3f2522166 Mon Sep 17 00:00:00 2001 From: jJRahnama Date: Wed, 17 Feb 2021 21:34:03 -0800 Subject: [PATCH 13/13] end of line --- src/Microsoft.Data.SqlClient/netfx/src/Resources/Strings.resx | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/Microsoft.Data.SqlClient/netfx/src/Resources/Strings.resx b/src/Microsoft.Data.SqlClient/netfx/src/Resources/Strings.resx index e4adaf67c1..cdb6c2c741 100644 --- a/src/Microsoft.Data.SqlClient/netfx/src/Resources/Strings.resx +++ b/src/Microsoft.Data.SqlClient/netfx/src/Resources/Strings.resx @@ -4605,4 +4605,4 @@ Unexpected type detected on deserialize. - \ No newline at end of file +