diff --git a/.vs/ModernKeePass/v14/.suo b/.vs/ModernKeePass/v14/.suo
index 0e2967e..77e701c 100644
Binary files a/.vs/ModernKeePass/v14/.suo and b/.vs/ModernKeePass/v14/.suo differ
diff --git a/ModernKeePass/MainPage.xaml.cs b/ModernKeePass/MainPage.xaml.cs
index 3bec545..06eb43f 100644
--- a/ModernKeePass/MainPage.xaml.cs
+++ b/ModernKeePass/MainPage.xaml.cs
@@ -3,6 +3,7 @@ using Windows.UI.Xaml.Controls;
using Windows.UI.Xaml.Input;
using ModernKeePass.Pages;
+using ModernKeePass.ViewModels;
// The Blank Page item template is documented at http://go.microsoft.com/fwlink/?LinkId=234238
@@ -31,7 +32,9 @@ namespace ModernKeePass
{
// Application now has read/write access to the picked file
textBlock.Text = "Opened database: " + file.Name;
- Frame.Navigate(typeof(DatabaseDetailPage), file);
+ var database = new DatabaseVm();
+ database.Open(file, "test");
+ Frame.Navigate(typeof(GroupDetailPage), database.RootGroup);
}
else
{
diff --git a/ModernKeePass/ModernKeePass.csproj b/ModernKeePass/ModernKeePass.csproj
index d278a76..dfbd386 100644
--- a/ModernKeePass/ModernKeePass.csproj
+++ b/ModernKeePass/ModernKeePass.csproj
@@ -114,8 +114,8 @@
MainPage.xaml
-
- DatabaseDetailPage.xaml
+
+ GroupDetailPage.xaml
@@ -144,14 +144,14 @@
MSBuild:Compile
Designer
-
+
Designer
MSBuild:Compile
-
- ..\packages\ModernKeePassLib.2.19.0.26202\lib\netstandard1.2\ModernKeePassLib.dll
+
+ ..\packages\ModernKeePassLib.2.19.0.27564\lib\netstandard1.2\ModernKeePassLib.dll
True
diff --git a/ModernKeePass/Pages/DatabaseDetailPage.xaml b/ModernKeePass/Pages/GroupDetailPage.xaml
similarity index 81%
rename from ModernKeePass/Pages/DatabaseDetailPage.xaml
rename to ModernKeePass/Pages/GroupDetailPage.xaml
index cfc515c..937eece 100644
--- a/ModernKeePass/Pages/DatabaseDetailPage.xaml
+++ b/ModernKeePass/Pages/GroupDetailPage.xaml
@@ -7,23 +7,11 @@
xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
xmlns:ViewModels="using:ModernKeePass.ViewModels"
x:Name="pageRoot"
- x:Class="ModernKeePass.Pages.DatabaseDetailPage"
- DataContext="{Binding ViewModel, RelativeSource={RelativeSource Self}}"
+ x:Class="ModernKeePass.Pages.GroupDetailPage"
+ DataContext="{Binding ViewModel, Mode=OneWay, RelativeSource={RelativeSource Mode=Self}}"
mc:Ignorable="d">
-
-
-
-
-
-
-
-
@@ -34,6 +22,11 @@
+
+
+
-
-
-
@@ -59,9 +49,9 @@
-
+
-
+
diff --git a/ModernKeePass/Pages/DatabaseDetailPage.xaml.cs b/ModernKeePass/Pages/GroupDetailPage.xaml.cs
similarity index 87%
rename from ModernKeePass/Pages/DatabaseDetailPage.xaml.cs
rename to ModernKeePass/Pages/GroupDetailPage.xaml.cs
index f8ddc72..0760d93 100644
--- a/ModernKeePass/Pages/DatabaseDetailPage.xaml.cs
+++ b/ModernKeePass/Pages/GroupDetailPage.xaml.cs
@@ -2,7 +2,6 @@
using Windows.UI.Xaml.Controls;
using Windows.UI.Xaml.Navigation;
using ModernKeePass.ViewModels;
-using Windows.Storage;
// The Group Detail Page item template is documented at http://go.microsoft.com/fwlink/?LinkId=234229
@@ -12,14 +11,14 @@ namespace ModernKeePass.Pages
/// A page that displays an overview of a single group, including a preview of the items
/// within the group.
///
- public sealed partial class DatabaseDetailPage : Page
+ public sealed partial class GroupDetailPage : Page
{
private NavigationHelper navigationHelper;
- private DatabaseVm viewModel = new DatabaseVm();
+ private GroupVm viewModel;
- public DatabaseVm ViewModel
+ public GroupVm ViewModel
{
- get { return this.viewModel; }
+ get { return viewModel; }
}
///
@@ -32,7 +31,7 @@ namespace ModernKeePass.Pages
}
- public DatabaseDetailPage()
+ public GroupDetailPage()
{
this.InitializeComponent();
this.navigationHelper = new NavigationHelper(this);
@@ -71,10 +70,9 @@ namespace ModernKeePass.Pages
{
navigationHelper.OnNavigatedTo(e);
- if (e.Parameter is StorageFile)
+ if (e.Parameter is GroupVm)
{
- var file = e.Parameter as StorageFile;
- viewModel.Open(file, "test");
+ viewModel = e.Parameter as GroupVm;
}
}
diff --git a/ModernKeePass/ViewModels/DatabaseVm.cs b/ModernKeePass/ViewModels/DatabaseVm.cs
index 0b429ae..90a882a 100644
--- a/ModernKeePass/ViewModels/DatabaseVm.cs
+++ b/ModernKeePass/ViewModels/DatabaseVm.cs
@@ -15,7 +15,7 @@ namespace ModernKeePass.ViewModels
private PwDatabase _database = new PwDatabase();
public string Name { get; set; }
- public ObservableCollection Groups { get; set; }
+ public GroupVm RootGroup { get; set; }
public async void Open(StorageFile databaseFile, string password)
{
@@ -26,7 +26,7 @@ namespace ModernKeePass.ViewModels
await _database.Open(IOConnectionInfo.FromFile(databaseFile), key, new NullStatusLogger());
if (!_database.IsOpen) return;
Name = databaseFile.DisplayName;
- Groups = new ObservableCollection(_database.RootGroup.Groups.Select(g => new GroupVm { Name = g.Name }));
+ RootGroup = new GroupVm (_database.RootGroup);
}
finally
{
diff --git a/ModernKeePass/ViewModels/EntryVm.cs b/ModernKeePass/ViewModels/EntryVm.cs
index 3bde99f..e3c2b8a 100644
--- a/ModernKeePass/ViewModels/EntryVm.cs
+++ b/ModernKeePass/ViewModels/EntryVm.cs
@@ -3,10 +3,23 @@ using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
+using ModernKeePassLib;
namespace ModernKeePass.ViewModels
{
public class EntryVm
{
+ public string Title { get; private set; }
+ public string UserName { get; private set; }
+ public string URL { get; private set; }
+ public string Notes { get; private set; }
+
+ public EntryVm(PwEntry entry)
+ {
+ Title = entry.Strings.GetSafe(PwDefs.TitleField).ReadString();
+ UserName = entry.Strings.GetSafe(PwDefs.UserNameField).ReadString();
+ URL = entry.Strings.GetSafe(PwDefs.UrlField).ReadString();
+ Notes = entry.Strings.GetSafe(PwDefs.NotesField).ReadString();
+ }
}
}
diff --git a/ModernKeePass/ViewModels/GroupVm.cs b/ModernKeePass/ViewModels/GroupVm.cs
index 9b3dea0..4ec6d9f 100644
--- a/ModernKeePass/ViewModels/GroupVm.cs
+++ b/ModernKeePass/ViewModels/GroupVm.cs
@@ -1,14 +1,27 @@
-using System;
-using System.Collections.Generic;
+using System.Collections.ObjectModel;
using System.Linq;
-using System.Text;
-using System.Threading.Tasks;
+using ModernKeePassLib;
namespace ModernKeePass.ViewModels
{
public class GroupVm
{
- public List Entries { get; set; }
+ public ObservableCollection Entries { get; set; }
+ public ObservableCollection Groups { get; set; }
public string Name { get; set; }
+
+ public string EntryCount {
+ get
+ {
+ return $"{Entries?.Count} entries.";
+ }
+ }
+
+ public GroupVm(PwGroup group)
+ {
+ Name = group.Name;
+ Entries = new ObservableCollection(group.Entries.Select(e => new EntryVm(e)));
+ Groups = new ObservableCollection(group.Groups.Select(g => new GroupVm(g)));
+ }
}
}
diff --git a/ModernKeePass/obj/Debug/DesignTimeResolveAssemblyReferencesInput.cache b/ModernKeePass/obj/Debug/DesignTimeResolveAssemblyReferencesInput.cache
index a3f0137..6a8a5b2 100644
Binary files a/ModernKeePass/obj/Debug/DesignTimeResolveAssemblyReferencesInput.cache and b/ModernKeePass/obj/Debug/DesignTimeResolveAssemblyReferencesInput.cache differ
diff --git a/ModernKeePass/obj/Debug/XamlSaveStateFile.xml b/ModernKeePass/obj/Debug/XamlSaveStateFile.xml
index 817f576..8e269ed 100644
--- a/ModernKeePass/obj/Debug/XamlSaveStateFile.xml
+++ b/ModernKeePass/obj/Debug/XamlSaveStateFile.xml
@@ -1,7 +1,7 @@
-
-
+
+
diff --git a/ModernKeePass/obj/Debug/XamlTypeInfo.g.cs b/ModernKeePass/obj/Debug/XamlTypeInfo.g.cs
index e69de29..3d9b955 100644
--- a/ModernKeePass/obj/Debug/XamlTypeInfo.g.cs
+++ b/ModernKeePass/obj/Debug/XamlTypeInfo.g.cs
@@ -0,0 +1,599 @@
+//------------------------------------------------------------------------------
+//
+// This code was generated by a tool.
+//
+// Changes to this file may cause incorrect behavior and will be lost if
+// the code is regenerated.
+//
+//------------------------------------------------------------------------------
+
+
+
+namespace ModernKeePass
+{
+ public partial class App : global::Windows.UI.Xaml.Markup.IXamlMetadataProvider
+ {
+ private global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlTypeInfoProvider _provider;
+
+ public global::Windows.UI.Xaml.Markup.IXamlType GetXamlType(global::System.Type type)
+ {
+ if(_provider == null)
+ {
+ _provider = new global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlTypeInfoProvider();
+ }
+ return _provider.GetXamlTypeByType(type);
+ }
+
+ public global::Windows.UI.Xaml.Markup.IXamlType GetXamlType(string fullName)
+ {
+ if(_provider == null)
+ {
+ _provider = new global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlTypeInfoProvider();
+ }
+ return _provider.GetXamlTypeByName(fullName);
+ }
+
+ public global::Windows.UI.Xaml.Markup.XmlnsDefinition[] GetXmlnsDefinitions()
+ {
+ return new global::Windows.UI.Xaml.Markup.XmlnsDefinition[0];
+ }
+ }
+}
+
+namespace ModernKeePass.ModernKeePass_XamlTypeInfo
+{
+
+ [System.CodeDom.Compiler.GeneratedCodeAttribute("Microsoft.Windows.UI.Xaml.Build.Tasks", "4.0.0.0")]
+ [System.Diagnostics.DebuggerNonUserCodeAttribute()]
+ internal partial class XamlTypeInfoProvider
+ {
+ public global::Windows.UI.Xaml.Markup.IXamlType GetXamlTypeByType(global::System.Type type)
+ {
+ global::Windows.UI.Xaml.Markup.IXamlType xamlType;
+ if (_xamlTypeCacheByType.TryGetValue(type, out xamlType))
+ {
+ return xamlType;
+ }
+ int typeIndex = LookupTypeIndexByType(type);
+ if(typeIndex != -1)
+ {
+ xamlType = CreateXamlType(typeIndex);
+ }
+ if (xamlType != null)
+ {
+ _xamlTypeCacheByName.Add(xamlType.FullName, xamlType);
+ _xamlTypeCacheByType.Add(xamlType.UnderlyingType, xamlType);
+ }
+ return xamlType;
+ }
+
+ public global::Windows.UI.Xaml.Markup.IXamlType GetXamlTypeByName(string typeName)
+ {
+ if (string.IsNullOrEmpty(typeName))
+ {
+ return null;
+ }
+ global::Windows.UI.Xaml.Markup.IXamlType xamlType;
+ if (_xamlTypeCacheByName.TryGetValue(typeName, out xamlType))
+ {
+ return xamlType;
+ }
+ int typeIndex = LookupTypeIndexByName(typeName);
+ if(typeIndex != -1)
+ {
+ xamlType = CreateXamlType(typeIndex);
+ }
+ if (xamlType != null)
+ {
+ _xamlTypeCacheByName.Add(xamlType.FullName, xamlType);
+ _xamlTypeCacheByType.Add(xamlType.UnderlyingType, xamlType);
+ }
+ return xamlType;
+ }
+
+ public global::Windows.UI.Xaml.Markup.IXamlMember GetMemberByLongName(string longMemberName)
+ {
+ if (string.IsNullOrEmpty(longMemberName))
+ {
+ return null;
+ }
+ global::Windows.UI.Xaml.Markup.IXamlMember xamlMember;
+ if (_xamlMembers.TryGetValue(longMemberName, out xamlMember))
+ {
+ return xamlMember;
+ }
+ xamlMember = CreateXamlMember(longMemberName);
+ if (xamlMember != null)
+ {
+ _xamlMembers.Add(longMemberName, xamlMember);
+ }
+ return xamlMember;
+ }
+
+ global::System.Collections.Generic.Dictionary
+ _xamlTypeCacheByName = new global::System.Collections.Generic.Dictionary();
+
+ global::System.Collections.Generic.Dictionary
+ _xamlTypeCacheByType = new global::System.Collections.Generic.Dictionary();
+
+ global::System.Collections.Generic.Dictionary
+ _xamlMembers = new global::System.Collections.Generic.Dictionary();
+
+ string[] _typeNameTable = null;
+ global::System.Type[] _typeTable = null;
+
+ private void InitTypeTables()
+ {
+ _typeNameTable = new string[8];
+ _typeNameTable[0] = "ModernKeePass.MainPage";
+ _typeNameTable[1] = "Windows.UI.Xaml.Controls.Page";
+ _typeNameTable[2] = "Windows.UI.Xaml.Controls.UserControl";
+ _typeNameTable[3] = "ModernKeePass.Pages.GroupDetailPage";
+ _typeNameTable[4] = "ModernKeePass.ViewModels.GroupVm";
+ _typeNameTable[5] = "Object";
+ _typeNameTable[6] = "ModernKeePass.Common.NavigationHelper";
+ _typeNameTable[7] = "Windows.UI.Xaml.DependencyObject";
+
+ _typeTable = new global::System.Type[8];
+ _typeTable[0] = typeof(global::ModernKeePass.MainPage);
+ _typeTable[1] = typeof(global::Windows.UI.Xaml.Controls.Page);
+ _typeTable[2] = typeof(global::Windows.UI.Xaml.Controls.UserControl);
+ _typeTable[3] = typeof(global::ModernKeePass.Pages.GroupDetailPage);
+ _typeTable[4] = typeof(global::ModernKeePass.ViewModels.GroupVm);
+ _typeTable[5] = typeof(global::System.Object);
+ _typeTable[6] = typeof(global::ModernKeePass.Common.NavigationHelper);
+ _typeTable[7] = typeof(global::Windows.UI.Xaml.DependencyObject);
+ }
+
+ private int LookupTypeIndexByName(string typeName)
+ {
+ if (_typeNameTable == null)
+ {
+ InitTypeTables();
+ }
+ for (int i=0; i<_typeNameTable.Length; i++)
+ {
+ if(0 == string.CompareOrdinal(_typeNameTable[i], typeName))
+ {
+ return i;
+ }
+ }
+ return -1;
+ }
+
+ private int LookupTypeIndexByType(global::System.Type type)
+ {
+ if (_typeTable == null)
+ {
+ InitTypeTables();
+ }
+ for(int i=0; i<_typeTable.Length; i++)
+ {
+ if(type == _typeTable[i])
+ {
+ return i;
+ }
+ }
+ return -1;
+ }
+
+ private object Activate_0_MainPage() { return new global::ModernKeePass.MainPage(); }
+ private object Activate_3_GroupDetailPage() { return new global::ModernKeePass.Pages.GroupDetailPage(); }
+
+ private global::Windows.UI.Xaml.Markup.IXamlType CreateXamlType(int typeIndex)
+ {
+ global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlSystemBaseType xamlType = null;
+ global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlUserType userType;
+ string typeName = _typeNameTable[typeIndex];
+ global::System.Type type = _typeTable[typeIndex];
+
+ switch (typeIndex)
+ {
+
+ case 0: // ModernKeePass.MainPage
+ userType = new global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlUserType(this, typeName, type, GetXamlTypeByName("Windows.UI.Xaml.Controls.Page"));
+ userType.Activator = Activate_0_MainPage;
+ userType.SetIsLocalType();
+ xamlType = userType;
+ break;
+
+ case 1: // Windows.UI.Xaml.Controls.Page
+ xamlType = new global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlSystemBaseType(typeName, type);
+ break;
+
+ case 2: // Windows.UI.Xaml.Controls.UserControl
+ xamlType = new global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlSystemBaseType(typeName, type);
+ break;
+
+ case 3: // ModernKeePass.Pages.GroupDetailPage
+ userType = new global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlUserType(this, typeName, type, GetXamlTypeByName("Windows.UI.Xaml.Controls.Page"));
+ userType.Activator = Activate_3_GroupDetailPage;
+ userType.AddMemberName("ViewModel");
+ userType.AddMemberName("NavigationHelper");
+ userType.SetIsLocalType();
+ xamlType = userType;
+ break;
+
+ case 4: // ModernKeePass.ViewModels.GroupVm
+ userType = new global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlUserType(this, typeName, type, GetXamlTypeByName("Object"));
+ userType.SetIsReturnTypeStub();
+ userType.SetIsLocalType();
+ xamlType = userType;
+ break;
+
+ case 5: // Object
+ xamlType = new global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlSystemBaseType(typeName, type);
+ break;
+
+ case 6: // ModernKeePass.Common.NavigationHelper
+ userType = new global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlUserType(this, typeName, type, GetXamlTypeByName("Windows.UI.Xaml.DependencyObject"));
+ userType.SetIsReturnTypeStub();
+ userType.SetIsLocalType();
+ xamlType = userType;
+ break;
+
+ case 7: // Windows.UI.Xaml.DependencyObject
+ xamlType = new global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlSystemBaseType(typeName, type);
+ break;
+ }
+ return xamlType;
+ }
+
+
+ private object get_0_GroupDetailPage_ViewModel(object instance)
+ {
+ var that = (global::ModernKeePass.Pages.GroupDetailPage)instance;
+ return that.ViewModel;
+ }
+ private object get_1_GroupDetailPage_NavigationHelper(object instance)
+ {
+ var that = (global::ModernKeePass.Pages.GroupDetailPage)instance;
+ return that.NavigationHelper;
+ }
+
+ private global::Windows.UI.Xaml.Markup.IXamlMember CreateXamlMember(string longMemberName)
+ {
+ global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlMember xamlMember = null;
+ global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlUserType userType;
+
+ switch (longMemberName)
+ {
+ case "ModernKeePass.Pages.GroupDetailPage.ViewModel":
+ userType = (global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlUserType)GetXamlTypeByName("ModernKeePass.Pages.GroupDetailPage");
+ xamlMember = new global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlMember(this, "ViewModel", "ModernKeePass.ViewModels.GroupVm");
+ xamlMember.Getter = get_0_GroupDetailPage_ViewModel;
+ xamlMember.SetIsReadOnly();
+ break;
+ case "ModernKeePass.Pages.GroupDetailPage.NavigationHelper":
+ userType = (global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlUserType)GetXamlTypeByName("ModernKeePass.Pages.GroupDetailPage");
+ xamlMember = new global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlMember(this, "NavigationHelper", "ModernKeePass.Common.NavigationHelper");
+ xamlMember.Getter = get_1_GroupDetailPage_NavigationHelper;
+ xamlMember.SetIsReadOnly();
+ break;
+ }
+ return xamlMember;
+ }
+ }
+
+
+ [System.CodeDom.Compiler.GeneratedCodeAttribute("Microsoft.Windows.UI.Xaml.Build.Tasks", "4.0.0.0")]
+ [System.Diagnostics.DebuggerNonUserCodeAttribute()]
+ internal class XamlSystemBaseType : global::Windows.UI.Xaml.Markup.IXamlType
+ {
+ string _fullName;
+ global::System.Type _underlyingType;
+
+ public XamlSystemBaseType(string fullName, global::System.Type underlyingType)
+ {
+ _fullName = fullName;
+ _underlyingType = underlyingType;
+ }
+
+ public string FullName { get { return _fullName; } }
+
+ public global::System.Type UnderlyingType
+ {
+ get
+ {
+ return _underlyingType;
+ }
+ }
+
+ virtual public global::Windows.UI.Xaml.Markup.IXamlType BaseType { get { throw new global::System.NotImplementedException(); } }
+ virtual public global::Windows.UI.Xaml.Markup.IXamlMember ContentProperty { get { throw new global::System.NotImplementedException(); } }
+ virtual public global::Windows.UI.Xaml.Markup.IXamlMember GetMember(string name) { throw new global::System.NotImplementedException(); }
+ virtual public bool IsArray { get { throw new global::System.NotImplementedException(); } }
+ virtual public bool IsCollection { get { throw new global::System.NotImplementedException(); } }
+ virtual public bool IsConstructible { get { throw new global::System.NotImplementedException(); } }
+ virtual public bool IsDictionary { get { throw new global::System.NotImplementedException(); } }
+ virtual public bool IsMarkupExtension { get { throw new global::System.NotImplementedException(); } }
+ virtual public bool IsBindable { get { throw new global::System.NotImplementedException(); } }
+ virtual public bool IsReturnTypeStub { get { throw new global::System.NotImplementedException(); } }
+ virtual public bool IsLocalType { get { throw new global::System.NotImplementedException(); } }
+ virtual public global::Windows.UI.Xaml.Markup.IXamlType ItemType { get { throw new global::System.NotImplementedException(); } }
+ virtual public global::Windows.UI.Xaml.Markup.IXamlType KeyType { get { throw new global::System.NotImplementedException(); } }
+ virtual public object ActivateInstance() { throw new global::System.NotImplementedException(); }
+ virtual public void AddToMap(object instance, object key, object item) { throw new global::System.NotImplementedException(); }
+ virtual public void AddToVector(object instance, object item) { throw new global::System.NotImplementedException(); }
+ virtual public void RunInitializer() { throw new global::System.NotImplementedException(); }
+ virtual public object CreateFromString(string input) { throw new global::System.NotImplementedException(); }
+ }
+
+ internal delegate object Activator();
+ internal delegate void AddToCollection(object instance, object item);
+ internal delegate void AddToDictionary(object instance, object key, object item);
+
+
+ [System.CodeDom.Compiler.GeneratedCodeAttribute("Microsoft.Windows.UI.Xaml.Build.Tasks", "4.0.0.0")]
+ [System.Diagnostics.DebuggerNonUserCodeAttribute()]
+ internal class XamlUserType : global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlSystemBaseType
+ {
+ global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlTypeInfoProvider _provider;
+ global::Windows.UI.Xaml.Markup.IXamlType _baseType;
+ bool _isArray;
+ bool _isMarkupExtension;
+ bool _isBindable;
+ bool _isReturnTypeStub;
+ bool _isLocalType;
+
+ string _contentPropertyName;
+ string _itemTypeName;
+ string _keyTypeName;
+ global::System.Collections.Generic.Dictionary _memberNames;
+ global::System.Collections.Generic.Dictionary _enumValues;
+
+ public XamlUserType(global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlTypeInfoProvider provider, string fullName, global::System.Type fullType, global::Windows.UI.Xaml.Markup.IXamlType baseType)
+ :base(fullName, fullType)
+ {
+ _provider = provider;
+ _baseType = baseType;
+ }
+
+ // --- Interface methods ----
+
+ override public global::Windows.UI.Xaml.Markup.IXamlType BaseType { get { return _baseType; } }
+ override public bool IsArray { get { return _isArray; } }
+ override public bool IsCollection { get { return (CollectionAdd != null); } }
+ override public bool IsConstructible { get { return (Activator != null); } }
+ override public bool IsDictionary { get { return (DictionaryAdd != null); } }
+ override public bool IsMarkupExtension { get { return _isMarkupExtension; } }
+ override public bool IsBindable { get { return _isBindable; } }
+ override public bool IsReturnTypeStub { get { return _isReturnTypeStub; } }
+ override public bool IsLocalType { get { return _isLocalType; } }
+
+ override public global::Windows.UI.Xaml.Markup.IXamlMember ContentProperty
+ {
+ get { return _provider.GetMemberByLongName(_contentPropertyName); }
+ }
+
+ override public global::Windows.UI.Xaml.Markup.IXamlType ItemType
+ {
+ get { return _provider.GetXamlTypeByName(_itemTypeName); }
+ }
+
+ override public global::Windows.UI.Xaml.Markup.IXamlType KeyType
+ {
+ get { return _provider.GetXamlTypeByName(_keyTypeName); }
+ }
+
+ override public global::Windows.UI.Xaml.Markup.IXamlMember GetMember(string name)
+ {
+ if (_memberNames == null)
+ {
+ return null;
+ }
+ string longName;
+ if (_memberNames.TryGetValue(name, out longName))
+ {
+ return _provider.GetMemberByLongName(longName);
+ }
+ return null;
+ }
+
+ override public object ActivateInstance()
+ {
+ return Activator();
+ }
+
+ override public void AddToMap(object instance, object key, object item)
+ {
+ DictionaryAdd(instance, key, item);
+ }
+
+ override public void AddToVector(object instance, object item)
+ {
+ CollectionAdd(instance, item);
+ }
+
+ override public void RunInitializer()
+ {
+ System.Runtime.CompilerServices.RuntimeHelpers.RunClassConstructor(UnderlyingType.TypeHandle);
+ }
+
+ override public object CreateFromString(string input)
+ {
+ if (_enumValues != null)
+ {
+ int value = 0;
+
+ string[] valueParts = input.Split(',');
+
+ foreach (string valuePart in valueParts)
+ {
+ object partValue;
+ int enumFieldValue = 0;
+ try
+ {
+ if (_enumValues.TryGetValue(valuePart.Trim(), out partValue))
+ {
+ enumFieldValue = global::System.Convert.ToInt32(partValue);
+ }
+ else
+ {
+ try
+ {
+ enumFieldValue = global::System.Convert.ToInt32(valuePart.Trim());
+ }
+ catch( global::System.FormatException )
+ {
+ foreach( string key in _enumValues.Keys )
+ {
+ if( string.Compare(valuePart.Trim(), key, global::System.StringComparison.OrdinalIgnoreCase) == 0 )
+ {
+ if( _enumValues.TryGetValue(key.Trim(), out partValue) )
+ {
+ enumFieldValue = global::System.Convert.ToInt32(partValue);
+ break;
+ }
+ }
+ }
+ }
+ }
+ value |= enumFieldValue;
+ }
+ catch( global::System.FormatException )
+ {
+ throw new global::System.ArgumentException(input, FullName);
+ }
+ }
+
+ return value;
+ }
+ throw new global::System.ArgumentException(input, FullName);
+ }
+
+ // --- End of Interface methods
+
+ public Activator Activator { get; set; }
+ public AddToCollection CollectionAdd { get; set; }
+ public AddToDictionary DictionaryAdd { get; set; }
+
+ public void SetContentPropertyName(string contentPropertyName)
+ {
+ _contentPropertyName = contentPropertyName;
+ }
+
+ public void SetIsArray()
+ {
+ _isArray = true;
+ }
+
+ public void SetIsMarkupExtension()
+ {
+ _isMarkupExtension = true;
+ }
+
+ public void SetIsBindable()
+ {
+ _isBindable = true;
+ }
+
+ public void SetIsReturnTypeStub()
+ {
+ _isReturnTypeStub = true;
+ }
+
+ public void SetIsLocalType()
+ {
+ _isLocalType = true;
+ }
+
+ public void SetItemTypeName(string itemTypeName)
+ {
+ _itemTypeName = itemTypeName;
+ }
+
+ public void SetKeyTypeName(string keyTypeName)
+ {
+ _keyTypeName = keyTypeName;
+ }
+
+ public void AddMemberName(string shortName)
+ {
+ if(_memberNames == null)
+ {
+ _memberNames = new global::System.Collections.Generic.Dictionary();
+ }
+ _memberNames.Add(shortName, FullName + "." + shortName);
+ }
+
+ public void AddEnumValue(string name, object value)
+ {
+ if (_enumValues == null)
+ {
+ _enumValues = new global::System.Collections.Generic.Dictionary();
+ }
+ _enumValues.Add(name, value);
+ }
+ }
+
+ internal delegate object Getter(object instance);
+ internal delegate void Setter(object instance, object value);
+
+
+ [System.CodeDom.Compiler.GeneratedCodeAttribute("Microsoft.Windows.UI.Xaml.Build.Tasks", "4.0.0.0")]
+ [System.Diagnostics.DebuggerNonUserCodeAttribute()]
+ internal class XamlMember : global::Windows.UI.Xaml.Markup.IXamlMember
+ {
+ global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlTypeInfoProvider _provider;
+ string _name;
+ bool _isAttachable;
+ bool _isDependencyProperty;
+ bool _isReadOnly;
+
+ string _typeName;
+ string _targetTypeName;
+
+ public XamlMember(global::ModernKeePass.ModernKeePass_XamlTypeInfo.XamlTypeInfoProvider provider, string name, string typeName)
+ {
+ _name = name;
+ _typeName = typeName;
+ _provider = provider;
+ }
+
+ public string Name { get { return _name; } }
+
+ public global::Windows.UI.Xaml.Markup.IXamlType Type
+ {
+ get { return _provider.GetXamlTypeByName(_typeName); }
+ }
+
+ public void SetTargetTypeName(string targetTypeName)
+ {
+ _targetTypeName = targetTypeName;
+ }
+ public global::Windows.UI.Xaml.Markup.IXamlType TargetType
+ {
+ get { return _provider.GetXamlTypeByName(_targetTypeName); }
+ }
+
+ public void SetIsAttachable() { _isAttachable = true; }
+ public bool IsAttachable { get { return _isAttachable; } }
+
+ public void SetIsDependencyProperty() { _isDependencyProperty = true; }
+ public bool IsDependencyProperty { get { return _isDependencyProperty; } }
+
+ public void SetIsReadOnly() { _isReadOnly = true; }
+ public bool IsReadOnly { get { return _isReadOnly; } }
+
+ public Getter Getter { get; set; }
+ public object GetValue(object instance)
+ {
+ if (Getter != null)
+ return Getter(instance);
+ else
+ throw new global::System.InvalidOperationException("GetValue");
+ }
+
+ public Setter Setter { get; set; }
+ public void SetValue(object instance, object value)
+ {
+ if (Setter != null)
+ Setter(instance, value);
+ else
+ throw new global::System.InvalidOperationException("SetValue");
+ }
+ }
+}
+
+
diff --git a/ModernKeePass/packages.config b/ModernKeePass/packages.config
index d021389..ec9fcf8 100644
--- a/ModernKeePass/packages.config
+++ b/ModernKeePass/packages.config
@@ -1,9 +1,11 @@
-
-
+
+
+
+
\ No newline at end of file
diff --git a/ModernKeePassLib/ModernKeePassLib.csproj b/ModernKeePassLib/ModernKeePassLib.csproj
index 92492b6..f8081a5 100644
--- a/ModernKeePassLib/ModernKeePassLib.csproj
+++ b/ModernKeePassLib/ModernKeePassLib.csproj
@@ -195,12 +195,6 @@
-
- ..\..\..\..\..\..\Program Files (x86)\Reference Assemblies\Microsoft\Framework\.NETCore\v4.5.1\System.Net.Requests.dll
-
-
- ..\..\..\..\..\..\Program Files (x86)\Reference Assemblies\Microsoft\Framework\.NETCore\v4.5.1\System.Xml.XmlSerializer.dll
-
..\..\..\..\..\..\Program Files (x86)\Windows Kits\8.1\References\CommonConfiguration\Neutral\Windows.winmd
diff --git a/ModernKeePassLib/bin/Debug/ModernKeePassLib.dll b/ModernKeePassLib/bin/Debug/ModernKeePassLib.dll
index 71f167c..b94dfb9 100644
Binary files a/ModernKeePassLib/bin/Debug/ModernKeePassLib.dll and b/ModernKeePassLib/bin/Debug/ModernKeePassLib.dll differ
diff --git a/ModernKeePassLib/bin/Debug/ModernKeePassLib.pdb b/ModernKeePassLib/bin/Debug/ModernKeePassLib.pdb
index 0888e4d..d5a0380 100644
Binary files a/ModernKeePassLib/bin/Debug/ModernKeePassLib.pdb and b/ModernKeePassLib/bin/Debug/ModernKeePassLib.pdb differ
diff --git a/ModernKeePassLib/obj/Debug/DesignTimeResolveAssemblyReferencesInput.cache b/ModernKeePassLib/obj/Debug/DesignTimeResolveAssemblyReferencesInput.cache
index 663d6fc..f6a4c48 100644
Binary files a/ModernKeePassLib/obj/Debug/DesignTimeResolveAssemblyReferencesInput.cache and b/ModernKeePassLib/obj/Debug/DesignTimeResolveAssemblyReferencesInput.cache differ
diff --git a/ModernKeePassLib/obj/Debug/ModernKeePassLib.csproj.FileListAbsolute.txt b/ModernKeePassLib/obj/Debug/ModernKeePassLib.csproj.FileListAbsolute.txt
index 174d493..0ffe9e1 100644
--- a/ModernKeePassLib/obj/Debug/ModernKeePassLib.csproj.FileListAbsolute.txt
+++ b/ModernKeePassLib/obj/Debug/ModernKeePassLib.csproj.FileListAbsolute.txt
@@ -1,10 +1,6 @@
C:\Users\GBE\Source\Repos\ModernKeePass\ModernKeePassLib\bin\Debug\ModernKeePassLib.dll
C:\Users\GBE\Source\Repos\ModernKeePass\ModernKeePassLib\bin\Debug\ModernKeePassLib.pdb
-C:\Users\GBE\Source\Repos\ModernKeePass\ModernKeePassLib\bin\Debug\System.Net.Requests.dll
-C:\Users\GBE\Source\Repos\ModernKeePass\ModernKeePassLib\bin\Debug\System.Xml.XmlSerializer.dll
C:\Users\GBE\Source\Repos\ModernKeePass\ModernKeePassLib\bin\Debug\Windows.winmd
-C:\Users\GBE\Source\Repos\ModernKeePass\ModernKeePassLib\bin\Debug\System.Net.Requests.xml
-C:\Users\GBE\Source\Repos\ModernKeePass\ModernKeePassLib\bin\Debug\System.Xml.XmlSerializer.xml
C:\Users\GBE\Source\Repos\ModernKeePass\ModernKeePassLib\bin\Debug\Windows.xml
C:\Users\GBE\Source\Repos\ModernKeePass\ModernKeePassLib\obj\Debug\ModernKeePassLib.csprojResolveAssemblyReference.cache
C:\Users\GBE\Source\Repos\ModernKeePass\ModernKeePassLib\obj\Debug\ModernKeePassLib.dll
diff --git a/ModernKeePassLib/obj/Debug/ModernKeePassLib.csprojResolveAssemblyReference.cache b/ModernKeePassLib/obj/Debug/ModernKeePassLib.csprojResolveAssemblyReference.cache
index 062efba..8537d08 100644
Binary files a/ModernKeePassLib/obj/Debug/ModernKeePassLib.csprojResolveAssemblyReference.cache and b/ModernKeePassLib/obj/Debug/ModernKeePassLib.csprojResolveAssemblyReference.cache differ
diff --git a/ModernKeePassLib/obj/Debug/ModernKeePassLib.dll b/ModernKeePassLib/obj/Debug/ModernKeePassLib.dll
index 71f167c..b94dfb9 100644
Binary files a/ModernKeePassLib/obj/Debug/ModernKeePassLib.dll and b/ModernKeePassLib/obj/Debug/ModernKeePassLib.dll differ
diff --git a/ModernKeePassLib/obj/Debug/ModernKeePassLib.pdb b/ModernKeePassLib/obj/Debug/ModernKeePassLib.pdb
index 0888e4d..d5a0380 100644
Binary files a/ModernKeePassLib/obj/Debug/ModernKeePassLib.pdb and b/ModernKeePassLib/obj/Debug/ModernKeePassLib.pdb differ
diff --git a/ModernKeePassLib/project.json b/ModernKeePassLib/project.json
index 3585f8e..36d3363 100644
--- a/ModernKeePassLib/project.json
+++ b/ModernKeePassLib/project.json
@@ -1,9 +1,11 @@
{
"supports": {},
"dependencies": {
- "Microsoft.NETCore.Portable.Compatibility": "1.0.1",
+ "Microsoft.NETCore.Portable.Compatibility": "1.0.2",
"NETStandard.Library": "2.0.0",
- "System.Runtime.WindowsRuntime": "4.3.0"
+ "System.Net.Requests": "4.3.0",
+ "System.Runtime.WindowsRuntime": "4.3.0",
+ "System.Xml.XmlSerializer": "4.3.0"
},
"frameworks": {
"netstandard1.2": {}
diff --git a/ModernKeePassLib/project.lock.json b/ModernKeePassLib/project.lock.json
index 9ae8695..e9f5229 100644
--- a/ModernKeePassLib/project.lock.json
+++ b/ModernKeePassLib/project.lock.json
@@ -15,7 +15,7 @@
"lib/netstandard1.0/_._": {}
}
},
- "Microsoft.NETCore.Portable.Compatibility/1.0.1": {
+ "Microsoft.NETCore.Portable.Compatibility/1.0.2": {
"type": "package",
"dependencies": {
"Microsoft.NETCore.Runtime.CoreCLR": "1.0.2"
@@ -257,6 +257,18 @@
"ref/netstandard1.1/System.Net.Primitives.dll": {}
}
},
+ "System.Net.Requests/4.3.0": {
+ "type": "package",
+ "dependencies": {
+ "System.IO": "4.3.0",
+ "System.Net.Primitives": "4.3.0",
+ "System.Runtime": "4.3.0",
+ "System.Threading.Tasks": "4.3.0"
+ },
+ "compile": {
+ "ref/netstandard1.1/System.Net.Requests.dll": {}
+ }
+ },
"System.ObjectModel/4.3.0": {
"type": "package",
"dependencies": {
@@ -483,6 +495,17 @@
"compile": {
"ref/netstandard1.0/System.Xml.XDocument.dll": {}
}
+ },
+ "System.Xml.XmlSerializer/4.3.0": {
+ "type": "package",
+ "dependencies": {
+ "System.IO": "4.3.0",
+ "System.Runtime": "4.3.0",
+ "System.Xml.ReaderWriter": "4.3.0"
+ },
+ "compile": {
+ "ref/netstandard1.0/System.Xml.XmlSerializer.dll": {}
+ }
}
}
},
@@ -510,11 +533,11 @@
"runtime.json"
]
},
- "Microsoft.NETCore.Portable.Compatibility/1.0.1": {
- "sha512": "Vd+lvLcGwvkedxtKn0U8s9uR4p0Lm+0U2QvDsLaw7g4S1W4KfPDbaW+ROhhLCSOx/gMYC72/b+z+o4fqS/oxVg==",
+ "Microsoft.NETCore.Portable.Compatibility/1.0.2": {
+ "sha512": "sR4m1GQ8Tbg+Xdbf8Y8yC+LXKSUJUVe/B5vckCAU9Jd5MYf84gC1D0u2YeA72B4WjeWewCyHRB20ddA8hyLmqQ==",
"type": "package",
"files": [
- "Microsoft.NETCore.Portable.Compatibility.1.0.1.nupkg.sha512",
+ "Microsoft.NETCore.Portable.Compatibility.1.0.2.nupkg.sha512",
"Microsoft.NETCore.Portable.Compatibility.nuspec",
"ThirdPartyNotices.txt",
"dotnet_library_license.txt",
@@ -1575,6 +1598,86 @@
"system.net.primitives.nuspec"
]
},
+ "System.Net.Requests/4.3.0": {
+ "sha512": "OZNUuAs0kDXUzm7U5NZ1ojVta5YFZmgT2yxBqsQ7Eseq5Ahz88LInGRuNLJ/NP2F8W1q7tse1pKDthj3reF5QA==",
+ "type": "package",
+ "files": [
+ "System.Net.Requests.4.3.0.nupkg.sha512",
+ "System.Net.Requests.nuspec",
+ "ThirdPartyNotices.txt",
+ "dotnet_library_license.txt",
+ "lib/MonoAndroid10/_._",
+ "lib/MonoTouch10/_._",
+ "lib/net45/_._",
+ "lib/portable-net45+win8+wp8+wpa81/_._",
+ "lib/win8/_._",
+ "lib/wp80/_._",
+ "lib/wpa81/_._",
+ "lib/xamarinios10/_._",
+ "lib/xamarinmac20/_._",
+ "lib/xamarintvos10/_._",
+ "lib/xamarinwatchos10/_._",
+ "ref/MonoAndroid10/_._",
+ "ref/MonoTouch10/_._",
+ "ref/net45/_._",
+ "ref/net46/_._",
+ "ref/netcore50/System.Net.Requests.dll",
+ "ref/netcore50/System.Net.Requests.xml",
+ "ref/netcore50/de/System.Net.Requests.xml",
+ "ref/netcore50/es/System.Net.Requests.xml",
+ "ref/netcore50/fr/System.Net.Requests.xml",
+ "ref/netcore50/it/System.Net.Requests.xml",
+ "ref/netcore50/ja/System.Net.Requests.xml",
+ "ref/netcore50/ko/System.Net.Requests.xml",
+ "ref/netcore50/ru/System.Net.Requests.xml",
+ "ref/netcore50/zh-hans/System.Net.Requests.xml",
+ "ref/netcore50/zh-hant/System.Net.Requests.xml",
+ "ref/netstandard1.0/System.Net.Requests.dll",
+ "ref/netstandard1.0/System.Net.Requests.xml",
+ "ref/netstandard1.0/de/System.Net.Requests.xml",
+ "ref/netstandard1.0/es/System.Net.Requests.xml",
+ "ref/netstandard1.0/fr/System.Net.Requests.xml",
+ "ref/netstandard1.0/it/System.Net.Requests.xml",
+ "ref/netstandard1.0/ja/System.Net.Requests.xml",
+ "ref/netstandard1.0/ko/System.Net.Requests.xml",
+ "ref/netstandard1.0/ru/System.Net.Requests.xml",
+ "ref/netstandard1.0/zh-hans/System.Net.Requests.xml",
+ "ref/netstandard1.0/zh-hant/System.Net.Requests.xml",
+ "ref/netstandard1.1/System.Net.Requests.dll",
+ "ref/netstandard1.1/System.Net.Requests.xml",
+ "ref/netstandard1.1/de/System.Net.Requests.xml",
+ "ref/netstandard1.1/es/System.Net.Requests.xml",
+ "ref/netstandard1.1/fr/System.Net.Requests.xml",
+ "ref/netstandard1.1/it/System.Net.Requests.xml",
+ "ref/netstandard1.1/ja/System.Net.Requests.xml",
+ "ref/netstandard1.1/ko/System.Net.Requests.xml",
+ "ref/netstandard1.1/ru/System.Net.Requests.xml",
+ "ref/netstandard1.1/zh-hans/System.Net.Requests.xml",
+ "ref/netstandard1.1/zh-hant/System.Net.Requests.xml",
+ "ref/netstandard1.3/System.Net.Requests.dll",
+ "ref/netstandard1.3/System.Net.Requests.xml",
+ "ref/netstandard1.3/de/System.Net.Requests.xml",
+ "ref/netstandard1.3/es/System.Net.Requests.xml",
+ "ref/netstandard1.3/fr/System.Net.Requests.xml",
+ "ref/netstandard1.3/it/System.Net.Requests.xml",
+ "ref/netstandard1.3/ja/System.Net.Requests.xml",
+ "ref/netstandard1.3/ko/System.Net.Requests.xml",
+ "ref/netstandard1.3/ru/System.Net.Requests.xml",
+ "ref/netstandard1.3/zh-hans/System.Net.Requests.xml",
+ "ref/netstandard1.3/zh-hant/System.Net.Requests.xml",
+ "ref/portable-net45+win8+wp8+wpa81/_._",
+ "ref/win8/_._",
+ "ref/wp80/_._",
+ "ref/wpa81/_._",
+ "ref/xamarinios10/_._",
+ "ref/xamarinmac20/_._",
+ "ref/xamarintvos10/_._",
+ "ref/xamarinwatchos10/_._",
+ "runtimes/unix/lib/netstandard1.3/System.Net.Requests.dll",
+ "runtimes/win/lib/net46/_._",
+ "runtimes/win/lib/netstandard1.3/System.Net.Requests.dll"
+ ]
+ },
"System.ObjectModel/4.3.0": {
"sha512": "bdX+80eKv9bN6K4N+d77OankKHGn6CH711a6fcOpMQu2Fckp/Ft4L/kW9WznHpyR0NRAvJutzOMHNNlBGvxQzQ==",
"type": "package",
@@ -2809,13 +2912,83 @@
"system.xml.xdocument.4.3.0.nupkg.sha512",
"system.xml.xdocument.nuspec"
]
+ },
+ "System.Xml.XmlSerializer/4.3.0": {
+ "sha512": "MYoTCP7EZ98RrANESW05J5ZwskKDoN0AuZ06ZflnowE50LTpbR5yRg3tHckTVm5j/m47stuGgCrCHWePyHS70Q==",
+ "type": "package",
+ "files": [
+ "System.Xml.XmlSerializer.4.3.0.nupkg.sha512",
+ "System.Xml.XmlSerializer.nuspec",
+ "ThirdPartyNotices.txt",
+ "dotnet_library_license.txt",
+ "lib/MonoAndroid10/_._",
+ "lib/MonoTouch10/_._",
+ "lib/net45/_._",
+ "lib/netcore50/System.Xml.XmlSerializer.dll",
+ "lib/netstandard1.3/System.Xml.XmlSerializer.dll",
+ "lib/portable-net45+win8+wp8+wpa81/_._",
+ "lib/win8/_._",
+ "lib/wp80/_._",
+ "lib/wpa81/_._",
+ "lib/xamarinios10/_._",
+ "lib/xamarinmac20/_._",
+ "lib/xamarintvos10/_._",
+ "lib/xamarinwatchos10/_._",
+ "ref/MonoAndroid10/_._",
+ "ref/MonoTouch10/_._",
+ "ref/net45/_._",
+ "ref/netcore50/System.Xml.XmlSerializer.dll",
+ "ref/netcore50/System.Xml.XmlSerializer.xml",
+ "ref/netcore50/de/System.Xml.XmlSerializer.xml",
+ "ref/netcore50/es/System.Xml.XmlSerializer.xml",
+ "ref/netcore50/fr/System.Xml.XmlSerializer.xml",
+ "ref/netcore50/it/System.Xml.XmlSerializer.xml",
+ "ref/netcore50/ja/System.Xml.XmlSerializer.xml",
+ "ref/netcore50/ko/System.Xml.XmlSerializer.xml",
+ "ref/netcore50/ru/System.Xml.XmlSerializer.xml",
+ "ref/netcore50/zh-hans/System.Xml.XmlSerializer.xml",
+ "ref/netcore50/zh-hant/System.Xml.XmlSerializer.xml",
+ "ref/netstandard1.0/System.Xml.XmlSerializer.dll",
+ "ref/netstandard1.0/System.Xml.XmlSerializer.xml",
+ "ref/netstandard1.0/de/System.Xml.XmlSerializer.xml",
+ "ref/netstandard1.0/es/System.Xml.XmlSerializer.xml",
+ "ref/netstandard1.0/fr/System.Xml.XmlSerializer.xml",
+ "ref/netstandard1.0/it/System.Xml.XmlSerializer.xml",
+ "ref/netstandard1.0/ja/System.Xml.XmlSerializer.xml",
+ "ref/netstandard1.0/ko/System.Xml.XmlSerializer.xml",
+ "ref/netstandard1.0/ru/System.Xml.XmlSerializer.xml",
+ "ref/netstandard1.0/zh-hans/System.Xml.XmlSerializer.xml",
+ "ref/netstandard1.0/zh-hant/System.Xml.XmlSerializer.xml",
+ "ref/netstandard1.3/System.Xml.XmlSerializer.dll",
+ "ref/netstandard1.3/System.Xml.XmlSerializer.xml",
+ "ref/netstandard1.3/de/System.Xml.XmlSerializer.xml",
+ "ref/netstandard1.3/es/System.Xml.XmlSerializer.xml",
+ "ref/netstandard1.3/fr/System.Xml.XmlSerializer.xml",
+ "ref/netstandard1.3/it/System.Xml.XmlSerializer.xml",
+ "ref/netstandard1.3/ja/System.Xml.XmlSerializer.xml",
+ "ref/netstandard1.3/ko/System.Xml.XmlSerializer.xml",
+ "ref/netstandard1.3/ru/System.Xml.XmlSerializer.xml",
+ "ref/netstandard1.3/zh-hans/System.Xml.XmlSerializer.xml",
+ "ref/netstandard1.3/zh-hant/System.Xml.XmlSerializer.xml",
+ "ref/portable-net45+win8+wp8+wpa81/_._",
+ "ref/win8/_._",
+ "ref/wp80/_._",
+ "ref/wpa81/_._",
+ "ref/xamarinios10/_._",
+ "ref/xamarinmac20/_._",
+ "ref/xamarintvos10/_._",
+ "ref/xamarinwatchos10/_._",
+ "runtimes/aot/lib/netcore50/System.Xml.XmlSerializer.dll"
+ ]
}
},
"projectFileDependencyGroups": {
"": [
- "Microsoft.NETCore.Portable.Compatibility >= 1.0.1",
+ "Microsoft.NETCore.Portable.Compatibility >= 1.0.2",
"NETStandard.Library >= 2.0.0",
- "System.Runtime.WindowsRuntime >= 4.3.0"
+ "System.Net.Requests >= 4.3.0",
+ "System.Runtime.WindowsRuntime >= 4.3.0",
+ "System.Xml.XmlSerializer >= 4.3.0"
],
".NETStandard,Version=v1.2": []
}
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Windows.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Windows.dll
deleted file mode 100644
index ceed369..0000000
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Windows.dll and /dev/null differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ThirdPartyNotices.txt b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ThirdPartyNotices.txt
similarity index 100%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ThirdPartyNotices.txt
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ThirdPartyNotices.txt
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/dotnet_library_license.txt b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/dotnet_library_license.txt
similarity index 100%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/dotnet_library_license.txt
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/dotnet_library_license.txt
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/net45/_._ b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/net45/_._
similarity index 100%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/net45/_._
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/net45/_._
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.ComponentModel.DataAnnotations.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.ComponentModel.DataAnnotations.dll
similarity index 67%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.ComponentModel.DataAnnotations.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.ComponentModel.DataAnnotations.dll
index d2cc783..ddcb675 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.ComponentModel.DataAnnotations.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.ComponentModel.DataAnnotations.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Core.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Core.dll
similarity index 83%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Core.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Core.dll
index 152ada9..e23c9a9 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Core.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Core.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Net.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Net.dll
similarity index 67%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Net.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Net.dll
index 036dff3..7cd9974 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Net.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Net.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Numerics.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Numerics.dll
similarity index 65%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Numerics.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Numerics.dll
index ae4f54a..627156d 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Numerics.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Numerics.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Runtime.Serialization.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Runtime.Serialization.dll
similarity index 75%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Runtime.Serialization.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Runtime.Serialization.dll
index 20d9413..282fbd4 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Runtime.Serialization.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Runtime.Serialization.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.ServiceModel.Web.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.ServiceModel.Web.dll
similarity index 68%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.ServiceModel.Web.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.ServiceModel.Web.dll
index 023e90b..646ffac 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.ServiceModel.Web.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.ServiceModel.Web.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.ServiceModel.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.ServiceModel.dll
similarity index 78%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.ServiceModel.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.ServiceModel.dll
index 22bd949..0a90823 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.ServiceModel.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.ServiceModel.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Windows.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Windows.dll
similarity index 72%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Windows.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Windows.dll
index 5df1b7d..7a79665 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Windows.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Windows.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Xml.Linq.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Xml.Linq.dll
similarity index 73%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Xml.Linq.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Xml.Linq.dll
index bcf99b1..447e8c4 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Xml.Linq.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Xml.Linq.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Xml.Serialization.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Xml.Serialization.dll
similarity index 65%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Xml.Serialization.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Xml.Serialization.dll
index 193d362..909bbac 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Xml.Serialization.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Xml.Serialization.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Xml.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Xml.dll
similarity index 69%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Xml.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Xml.dll
index 15332cb..67102bb 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Xml.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.Xml.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.dll
similarity index 70%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.dll
index f0867ba..cb75496 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netcore50/System.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.ComponentModel.DataAnnotations.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.ComponentModel.DataAnnotations.dll
similarity index 67%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.ComponentModel.DataAnnotations.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.ComponentModel.DataAnnotations.dll
index 3e654de..72607c2 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.ComponentModel.DataAnnotations.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.ComponentModel.DataAnnotations.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Core.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Core.dll
similarity index 77%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Core.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Core.dll
index b99d7e4..a17bd89 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Core.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Core.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Net.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Net.dll
similarity index 71%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Net.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Net.dll
index b12360f..907f82b 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Net.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Net.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Numerics.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Numerics.dll
similarity index 73%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Numerics.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Numerics.dll
index ddcea68..e54fd18 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Numerics.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Numerics.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Runtime.Serialization.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Runtime.Serialization.dll
similarity index 70%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Runtime.Serialization.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Runtime.Serialization.dll
index c01a037..3d09cd9 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Runtime.Serialization.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Runtime.Serialization.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.ServiceModel.Web.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.ServiceModel.Web.dll
similarity index 78%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.ServiceModel.Web.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.ServiceModel.Web.dll
index ed4cb53..88f59fe 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.ServiceModel.Web.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.ServiceModel.Web.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.ServiceModel.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.ServiceModel.dll
similarity index 72%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.ServiceModel.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.ServiceModel.dll
index 02e179e..5a7bacb 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.ServiceModel.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.ServiceModel.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Windows.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Windows.dll
new file mode 100644
index 0000000..83e5db7
Binary files /dev/null and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Windows.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Xml.Linq.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Xml.Linq.dll
similarity index 70%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Xml.Linq.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Xml.Linq.dll
index 9e13833..0f29d21 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Xml.Linq.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Xml.Linq.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Xml.Serialization.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Xml.Serialization.dll
similarity index 75%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Xml.Serialization.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Xml.Serialization.dll
index 2e54b8f..9895da2 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netcore50/System.Xml.Serialization.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Xml.Serialization.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Xml.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Xml.dll
similarity index 77%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Xml.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Xml.dll
index 09d4629..6fa0505 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Xml.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.Xml.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.dll
similarity index 73%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.dll
index d55e47e..e0e8e09 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/netstandard1.0/System.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/win8/_._ b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/win8/_._
similarity index 100%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/win8/_._
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/win8/_._
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/wp80/_._ b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/wp80/_._
similarity index 100%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/wp80/_._
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/wp80/_._
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/wpa81/_._ b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/wpa81/_._
similarity index 100%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/wpa81/_._
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/lib/wpa81/_._
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/net45/_._ b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/net45/_._
similarity index 100%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/net45/_._
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/net45/_._
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.ComponentModel.DataAnnotations.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.ComponentModel.DataAnnotations.dll
similarity index 67%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.ComponentModel.DataAnnotations.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.ComponentModel.DataAnnotations.dll
index 5b8a419..06134b3 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.ComponentModel.DataAnnotations.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.ComponentModel.DataAnnotations.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Core.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Core.dll
similarity index 74%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Core.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Core.dll
index f4d31e5..1ccaa3a 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Core.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Core.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Net.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Net.dll
similarity index 73%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Net.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Net.dll
index 2e1d971..96ccd28 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Net.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Net.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Numerics.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Numerics.dll
similarity index 73%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Numerics.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Numerics.dll
index dc2f50a..c14c3be 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Numerics.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Numerics.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Runtime.Serialization.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Runtime.Serialization.dll
similarity index 75%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Runtime.Serialization.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Runtime.Serialization.dll
index ecf6a17..047e497 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Runtime.Serialization.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Runtime.Serialization.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.ServiceModel.Web.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.ServiceModel.Web.dll
similarity index 72%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.ServiceModel.Web.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.ServiceModel.Web.dll
index 2708ea8..7181b9c 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.ServiceModel.Web.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.ServiceModel.Web.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.ServiceModel.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.ServiceModel.dll
similarity index 77%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.ServiceModel.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.ServiceModel.dll
index 6f53532..a663073 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.ServiceModel.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.ServiceModel.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Windows.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Windows.dll
similarity index 68%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Windows.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Windows.dll
index 65c4097..e7a73a7 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/lib/netstandard1.0/System.Windows.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Windows.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Xml.Linq.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Xml.Linq.dll
similarity index 69%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Xml.Linq.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Xml.Linq.dll
index 9f8b6b3..f09a62c 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Xml.Linq.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Xml.Linq.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Xml.Serialization.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Xml.Serialization.dll
similarity index 70%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Xml.Serialization.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Xml.Serialization.dll
index 66e6607..557c180 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Xml.Serialization.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Xml.Serialization.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Xml.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Xml.dll
similarity index 73%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Xml.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Xml.dll
index 4b4cf74..70303b7 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Xml.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.Xml.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.dll
similarity index 73%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.dll
index 722f6fe..b83c4cb 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/System.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/mscorlib.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/mscorlib.dll
similarity index 82%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/mscorlib.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/mscorlib.dll
index 2414c51..454dc34 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/mscorlib.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netcore50/mscorlib.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.ComponentModel.DataAnnotations.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.ComponentModel.DataAnnotations.dll
similarity index 67%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.ComponentModel.DataAnnotations.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.ComponentModel.DataAnnotations.dll
index 5b8a419..06134b3 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.ComponentModel.DataAnnotations.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.ComponentModel.DataAnnotations.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Core.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Core.dll
similarity index 74%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Core.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Core.dll
index f4d31e5..1ccaa3a 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Core.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Core.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Net.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Net.dll
similarity index 73%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Net.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Net.dll
index 2e1d971..96ccd28 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Net.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Net.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Numerics.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Numerics.dll
similarity index 73%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Numerics.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Numerics.dll
index dc2f50a..c14c3be 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Numerics.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Numerics.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Runtime.Serialization.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Runtime.Serialization.dll
similarity index 75%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Runtime.Serialization.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Runtime.Serialization.dll
index ecf6a17..047e497 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Runtime.Serialization.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Runtime.Serialization.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.ServiceModel.Web.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.ServiceModel.Web.dll
similarity index 72%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.ServiceModel.Web.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.ServiceModel.Web.dll
index 2708ea8..7181b9c 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.ServiceModel.Web.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.ServiceModel.Web.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.ServiceModel.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.ServiceModel.dll
similarity index 77%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.ServiceModel.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.ServiceModel.dll
index 6f53532..a663073 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.ServiceModel.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.ServiceModel.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Windows.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Windows.dll
similarity index 67%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Windows.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Windows.dll
index ceed369..e7a73a7 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Windows.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Windows.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Xml.Linq.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Xml.Linq.dll
similarity index 69%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Xml.Linq.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Xml.Linq.dll
index 9f8b6b3..f09a62c 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Xml.Linq.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Xml.Linq.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Xml.Serialization.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Xml.Serialization.dll
similarity index 70%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Xml.Serialization.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Xml.Serialization.dll
index 66e6607..557c180 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netstandard1.0/System.Xml.Serialization.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Xml.Serialization.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Xml.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Xml.dll
similarity index 73%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Xml.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Xml.dll
index 4b4cf74..70303b7 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.Xml.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.Xml.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.dll
similarity index 73%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.dll
index 722f6fe..b83c4cb 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/System.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/System.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/mscorlib.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/mscorlib.dll
similarity index 82%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/mscorlib.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/mscorlib.dll
index 2414c51..454dc34 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/netcore50/mscorlib.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/netstandard1.0/mscorlib.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/win8/_._ b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/win8/_._
similarity index 100%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/win8/_._
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/win8/_._
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/wp80/_._ b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/wp80/_._
similarity index 100%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/wp80/_._
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/wp80/_._
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/wpa81/_._ b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/wpa81/_._
similarity index 100%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/ref/wpa81/_._
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/ref/wpa81/_._
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.ComponentModel.DataAnnotations.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.ComponentModel.DataAnnotations.dll
similarity index 75%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.ComponentModel.DataAnnotations.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.ComponentModel.DataAnnotations.dll
index e65f61e..3f93b31 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.ComponentModel.DataAnnotations.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.ComponentModel.DataAnnotations.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Core.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Core.dll
similarity index 76%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Core.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Core.dll
index 2f48383..f4ac845 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Core.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Core.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Net.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Net.dll
similarity index 79%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Net.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Net.dll
index f03a08f..eb3b628 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Net.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Net.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Numerics.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Numerics.dll
similarity index 72%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Numerics.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Numerics.dll
index fe1771a..6b755aa 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Numerics.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Numerics.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Runtime.Serialization.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Runtime.Serialization.dll
similarity index 74%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Runtime.Serialization.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Runtime.Serialization.dll
index d8323fb..b0e1f16 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Runtime.Serialization.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Runtime.Serialization.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.ServiceModel.Web.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.ServiceModel.Web.dll
similarity index 74%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.ServiceModel.Web.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.ServiceModel.Web.dll
index a0ee0f3..3d7d243 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.ServiceModel.Web.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.ServiceModel.Web.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.ServiceModel.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.ServiceModel.dll
similarity index 81%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.ServiceModel.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.ServiceModel.dll
index c6b48af..5adae50 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.ServiceModel.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.ServiceModel.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Windows.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Windows.dll
similarity index 69%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Windows.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Windows.dll
index a352862..1937309 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Windows.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Windows.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Xml.Linq.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Xml.Linq.dll
similarity index 70%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Xml.Linq.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Xml.Linq.dll
index 00569c6..f4bb804 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Xml.Linq.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Xml.Linq.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Xml.Serialization.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Xml.Serialization.dll
similarity index 67%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Xml.Serialization.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Xml.Serialization.dll
index fae7f05..e1c15c7 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Xml.Serialization.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Xml.Serialization.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Xml.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Xml.dll
similarity index 76%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Xml.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Xml.dll
index 0ead9b4..7c8c66f 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.Xml.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.Xml.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.dll
similarity index 84%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.dll
index b4ce8b5..7f51bee 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/System.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/System.dll differ
diff --git a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/mscorlib.dll b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/mscorlib.dll
similarity index 90%
rename from packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/mscorlib.dll
rename to packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/mscorlib.dll
index fd0e7f5..1f980ff 100644
Binary files a/packages/Microsoft.NETCore.Portable.Compatibility.1.0.1/runtimes/aot/lib/netcore50/mscorlib.dll and b/packages/Microsoft.NETCore.Portable.Compatibility.1.0.2/runtimes/aot/lib/netcore50/mscorlib.dll differ
diff --git a/packages/ModernKeePassLib.2.19.0.26202/lib/netstandard1.2/ModernKeePassLib.dll b/packages/ModernKeePassLib.2.19.0.27564/lib/netstandard1.2/ModernKeePassLib.dll
similarity index 99%
rename from packages/ModernKeePassLib.2.19.0.26202/lib/netstandard1.2/ModernKeePassLib.dll
rename to packages/ModernKeePassLib.2.19.0.27564/lib/netstandard1.2/ModernKeePassLib.dll
index 71f167c..b94dfb9 100644
Binary files a/packages/ModernKeePassLib.2.19.0.26202/lib/netstandard1.2/ModernKeePassLib.dll and b/packages/ModernKeePassLib.2.19.0.27564/lib/netstandard1.2/ModernKeePassLib.dll differ
diff --git a/packages/System.Net.Requests.4.3.0/ThirdPartyNotices.txt b/packages/System.Net.Requests.4.3.0/ThirdPartyNotices.txt
new file mode 100644
index 0000000..55cfb20
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ThirdPartyNotices.txt
@@ -0,0 +1,31 @@
+This Microsoft .NET Library may incorporate components from the projects listed
+below. Microsoft licenses these components under the Microsoft .NET Library
+software license terms. The original copyright notices and the licenses under
+which Microsoft received such components are set forth below for informational
+purposes only. Microsoft reserves all rights not expressly granted herein,
+whether by implication, estoppel or otherwise.
+
+1. .NET Core (https://github.com/dotnet/core/)
+
+.NET Core
+Copyright (c) .NET Foundation and Contributors
+
+The MIT License (MIT)
+
+Permission is hereby granted, free of charge, to any person obtaining a copy
+of this software and associated documentation files (the "Software"), to deal
+in the Software without restriction, including without limitation the rights
+to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+copies of the Software, and to permit persons to whom the Software is
+furnished to do so, subject to the following conditions:
+
+The above copyright notice and this permission notice shall be included in all
+copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
+SOFTWARE.
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/dotnet_library_license.txt b/packages/System.Net.Requests.4.3.0/dotnet_library_license.txt
new file mode 100644
index 0000000..92b6c44
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/dotnet_library_license.txt
@@ -0,0 +1,128 @@
+
+MICROSOFT SOFTWARE LICENSE TERMS
+
+
+MICROSOFT .NET LIBRARY
+
+These license terms are an agreement between Microsoft Corporation (or based on where you live, one of its affiliates) and you. Please read them. They apply to the software named above, which includes the media on which you received it, if any. The terms also apply to any Microsoft
+
+· updates,
+
+· supplements,
+
+· Internet-based services, and
+
+· support services
+
+for this software, unless other terms accompany those items. If so, those terms apply.
+
+BY USING THE SOFTWARE, YOU ACCEPT THESE TERMS. IF YOU DO NOT ACCEPT THEM, DO NOT USE THE SOFTWARE.
+
+
+IF YOU COMPLY WITH THESE LICENSE TERMS, YOU HAVE THE PERPETUAL RIGHTS BELOW.
+
+1. INSTALLATION AND USE RIGHTS.
+
+a. Installation and Use. You may install and use any number of copies of the software to design, develop and test your programs.
+
+b. Third Party Programs. The software may include third party programs that Microsoft, not the third party, licenses to you under this agreement. Notices, if any, for the third party program are included for your information only.
+
+2. ADDITIONAL LICENSING REQUIREMENTS AND/OR USE RIGHTS.
+
+a. DISTRIBUTABLE CODE. The software is comprised of Distributable Code. “Distributable Code” is code that you are permitted to distribute in programs you develop if you comply with the terms below.
+
+i. Right to Use and Distribute.
+
+· You may copy and distribute the object code form of the software.
+
+· Third Party Distribution. You may permit distributors of your programs to copy and distribute the Distributable Code as part of those programs.
+
+ii. Distribution Requirements. For any Distributable Code you distribute, you must
+
+· add significant primary functionality to it in your programs;
+
+· require distributors and external end users to agree to terms that protect it at least as much as this agreement;
+
+· display your valid copyright notice on your programs; and
+
+· indemnify, defend, and hold harmless Microsoft from any claims, including attorneys’ fees, related to the distribution or use of your programs.
+
+iii. Distribution Restrictions. You may not
+
+· alter any copyright, trademark or patent notice in the Distributable Code;
+
+· use Microsoft’s trademarks in your programs’ names or in a way that suggests your programs come from or are endorsed by Microsoft;
+
+· include Distributable Code in malicious, deceptive or unlawful programs; or
+
+· modify or distribute the source code of any Distributable Code so that any part of it becomes subject to an Excluded License. An Excluded License is one that requires, as a condition of use, modification or distribution, that
+
+· the code be disclosed or distributed in source code form; or
+
+· others have the right to modify it.
+
+3. SCOPE OF LICENSE. The software is licensed, not sold. This agreement only gives you some rights to use the software. Microsoft reserves all other rights. Unless applicable law gives you more rights despite this limitation, you may use the software only as expressly permitted in this agreement. In doing so, you must comply with any technical limitations in the software that only allow you to use it in certain ways. You may not
+
+· work around any technical limitations in the software;
+
+· reverse engineer, decompile or disassemble the software, except and only to the extent that applicable law expressly permits, despite this limitation;
+
+· publish the software for others to copy;
+
+· rent, lease or lend the software;
+
+· transfer the software or this agreement to any third party; or
+
+· use the software for commercial software hosting services.
+
+4. BACKUP COPY. You may make one backup copy of the software. You may use it only to reinstall the software.
+
+5. DOCUMENTATION. Any person that has valid access to your computer or internal network may copy and use the documentation for your internal, reference purposes.
+
+6. EXPORT RESTRICTIONS. The software is subject to United States export laws and regulations. You must comply with all domestic and international export laws and regulations that apply to the software. These laws include restrictions on destinations, end users and end use. For additional information, see www.microsoft.com/exporting.
+
+7. SUPPORT SERVICES. Because this software is “as is,” we may not provide support services for it.
+
+8. ENTIRE AGREEMENT. This agreement, and the terms for supplements, updates, Internet-based services and support services that you use, are the entire agreement for the software and support services.
+
+9. APPLICABLE LAW.
+
+a. United States. If you acquired the software in the United States, Washington state law governs the interpretation of this agreement and applies to claims for breach of it, regardless of conflict of laws principles. The laws of the state where you live govern all other claims, including claims under state consumer protection laws, unfair competition laws, and in tort.
+
+b. Outside the United States. If you acquired the software in any other country, the laws of that country apply.
+
+10. LEGAL EFFECT. This agreement describes certain legal rights. You may have other rights under the laws of your country. You may also have rights with respect to the party from whom you acquired the software. This agreement does not change your rights under the laws of your country if the laws of your country do not permit it to do so.
+
+11. DISCLAIMER OF WARRANTY. THE SOFTWARE IS LICENSED “AS-IS.” YOU BEAR THE RISK OF USING IT. MICROSOFT GIVES NO EXPRESS WARRANTIES, GUARANTEES OR CONDITIONS. YOU MAY HAVE ADDITIONAL CONSUMER RIGHTS OR STATUTORY GUARANTEES UNDER YOUR LOCAL LAWS WHICH THIS AGREEMENT CANNOT CHANGE. TO THE EXTENT PERMITTED UNDER YOUR LOCAL LAWS, MICROSOFT EXCLUDES THE IMPLIED WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NON-INFRINGEMENT.
+
+FOR AUSTRALIA – YOU HAVE STATUTORY GUARANTEES UNDER THE AUSTRALIAN CONSUMER LAW AND NOTHING IN THESE TERMS IS INTENDED TO AFFECT THOSE RIGHTS.
+
+12. LIMITATION ON AND EXCLUSION OF REMEDIES AND DAMAGES. YOU CAN RECOVER FROM MICROSOFT AND ITS SUPPLIERS ONLY DIRECT DAMAGES UP TO U.S. $5.00. YOU CANNOT RECOVER ANY OTHER DAMAGES, INCLUDING CONSEQUENTIAL, LOST PROFITS, SPECIAL, INDIRECT OR INCIDENTAL DAMAGES.
+
+This limitation applies to
+
+· anything related to the software, services, content (including code) on third party Internet sites, or third party programs; and
+
+· claims for breach of contract, breach of warranty, guarantee or condition, strict liability, negligence, or other tort to the extent permitted by applicable law.
+
+It also applies even if Microsoft knew or should have known about the possibility of the damages. The above limitation or exclusion may not apply to you because your country may not allow the exclusion or limitation of incidental, consequential or other damages.
+
+Please note: As this software is distributed in Quebec, Canada, some of the clauses in this agreement are provided below in French.
+
+Remarque : Ce logiciel étant distribué au Québec, Canada, certaines des clauses dans ce contrat sont fournies ci-dessous en français.
+
+EXONÉRATION DE GARANTIE. Le logiciel visé par une licence est offert « tel quel ». Toute utilisation de ce logiciel est à votre seule risque et péril. Microsoft n’accorde aucune autre garantie expresse. Vous pouvez bénéficier de droits additionnels en vertu du droit local sur la protection des consommateurs, que ce contrat ne peut modifier. La ou elles sont permises par le droit locale, les garanties implicites de qualité marchande, d’adéquation à un usage particulier et d’absence de contrefaçon sont exclues.
+
+LIMITATION DES DOMMAGES-INTÉRÊTS ET EXCLUSION DE RESPONSABILITÉ POUR LES DOMMAGES. Vous pouvez obtenir de Microsoft et de ses fournisseurs une indemnisation en cas de dommages directs uniquement à hauteur de 5,00 $ US. Vous ne pouvez prétendre à aucune indemnisation pour les autres dommages, y compris les dommages spéciaux, indirects ou accessoires et pertes de bénéfices.
+
+Cette limitation concerne :
+
+· tout ce qui est relié au logiciel, aux services ou au contenu (y compris le code) figurant sur des sites Internet tiers ou dans des programmes tiers ; et
+
+· les réclamations au titre de violation de contrat ou de garantie, ou au titre de responsabilité stricte, de négligence ou d’une autre faute dans la limite autorisée par la loi en vigueur.
+
+Elle s’applique également, même si Microsoft connaissait ou devrait connaître l’éventualité d’un tel dommage. Si votre pays n’autorise pas l’exclusion ou la limitation de responsabilité pour les dommages indirects, accessoires ou de quelque nature que ce soit, il se peut que la limitation ou l’exclusion ci-dessus ne s’appliquera pas à votre égard.
+
+EFFET JURIDIQUE. Le présent contrat décrit certains droits juridiques. Vous pourriez avoir d’autres droits prévus par les lois de votre pays. Le présent contrat ne modifie pas les droits que vous confèrent les lois de votre pays si celles-ci ne le permettent pas.
+
+
diff --git a/packages/System.Net.Requests.4.3.0/lib/MonoAndroid10/_._ b/packages/System.Net.Requests.4.3.0/lib/MonoAndroid10/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/lib/MonoTouch10/_._ b/packages/System.Net.Requests.4.3.0/lib/MonoTouch10/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/lib/net45/_._ b/packages/System.Net.Requests.4.3.0/lib/net45/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/lib/portable-net45+win8+wp8+wpa81/_._ b/packages/System.Net.Requests.4.3.0/lib/portable-net45+win8+wp8+wpa81/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/lib/win8/_._ b/packages/System.Net.Requests.4.3.0/lib/win8/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/lib/wp80/_._ b/packages/System.Net.Requests.4.3.0/lib/wp80/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/lib/wpa81/_._ b/packages/System.Net.Requests.4.3.0/lib/wpa81/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/lib/xamarinios10/_._ b/packages/System.Net.Requests.4.3.0/lib/xamarinios10/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/lib/xamarinmac20/_._ b/packages/System.Net.Requests.4.3.0/lib/xamarinmac20/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/lib/xamarintvos10/_._ b/packages/System.Net.Requests.4.3.0/lib/xamarintvos10/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/lib/xamarinwatchos10/_._ b/packages/System.Net.Requests.4.3.0/lib/xamarinwatchos10/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/ref/MonoAndroid10/_._ b/packages/System.Net.Requests.4.3.0/ref/MonoAndroid10/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/ref/MonoTouch10/_._ b/packages/System.Net.Requests.4.3.0/ref/MonoTouch10/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/ref/net45/_._ b/packages/System.Net.Requests.4.3.0/ref/net45/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/ref/net46/_._ b/packages/System.Net.Requests.4.3.0/ref/net46/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/ref/netcore50/System.Net.Requests.dll b/packages/System.Net.Requests.4.3.0/ref/netcore50/System.Net.Requests.dll
new file mode 100644
index 0000000..4b822cb
Binary files /dev/null and b/packages/System.Net.Requests.4.3.0/ref/netcore50/System.Net.Requests.dll differ
diff --git a/ModernKeePassLib/bin/Debug/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netcore50/System.Net.Requests.xml
similarity index 79%
rename from ModernKeePassLib/bin/Debug/System.Net.Requests.xml
rename to packages/System.Net.Requests.4.3.0/ref/netcore50/System.Net.Requests.xml
index 6224699..96c580d 100644
--- a/ModernKeePassLib/bin/Debug/System.Net.Requests.xml
+++ b/packages/System.Net.Requests.4.3.0/ref/netcore50/System.Net.Requests.xml
@@ -4,132 +4,6 @@
System.Net.Requests
-
- The HTTP headers that may be specified in a client request.
-
-
- The Accept header, which specifies the MIME types that are acceptable for the response.
-
-
- The Accept-Charset header, which specifies the character sets that are acceptable for the response.
-
-
- The Accept-Encoding header, which specifies the content encodings that are acceptable for the response.
-
-
- The Accept-Langauge header, which specifies that natural languages that are preferred for the response.
-
-
- The Allow header, which specifies the set of HTTP methods supported.
-
-
- The Authorization header, which specifies the credentials that the client presents in order to authenticate itself to the server.
-
-
- The Cache-Control header, which specifies directives that must be obeyed by all cache control mechanisms along the request/response chain.
-
-
- The Connection header, which specifies options that are desired for a particular connection.
-
-
- The Content-Encoding header, which specifies the encodings that have been applied to the accompanying body data.
-
-
- The Content-Langauge header, which specifies the natural language(s) of the accompanying body data.
-
-
- The Content-Length header, which specifies the length, in bytes, of the accompanying body data.
-
-
- The Content-Location header, which specifies a URI from which the accompanying body may be obtained.
-
-
- The Content-MD5 header, which specifies the MD5 digest of the accompanying body data, for the purpose of providing an end-to-end message integrity check.
-
-
- The Content-Range header, which specifies where in the full body the accompanying partial body data should be applied.
-
-
- The Content-Type header, which specifies the MIME type of the accompanying body data.
-
-
- The Cookie header, which specifies cookie data presented to the server.
-
-
- The Date header, which specifies the date and time at which the request originated.
-
-
- The Expect header, which specifies particular server behaviors that are required by the client.
-
-
- The Expires header, which specifies the date and time after which the accompanying body data should be considered stale.
-
-
- The From header, which specifies an Internet E-mail address for the human user who controls the requesting user agent.
-
-
- The Host header, which specifies the host name and port number of the resource being requested.
-
-
- The If-Match header, which specifies that the requested operation should be performed only if the client's cached copy of the indicated resource is current.
-
-
- The If-Modified-Since header, which specifies that the requested operation should be performed only if the requested resource has been modified since the indicated data and time.
-
-
- The If-None-Match header, which specifies that the requested operation should be performed only if none of client's cached copies of the indicated resources are current.
-
-
- The If-Range header, which specifies that only the specified range of the requested resource should be sent, if the client's cached copy is current.
-
-
- The If-Unmodified-Since header, which specifies that the requested operation should be performed only if the requested resource has not been modified since the indicated date and time.
-
-
- The Keep-Alive header, which specifies a parameter used into order to maintain a persistent connection.
-
-
- The Last-Modified header, which specifies the date and time at which the accompanying body data was last modified.
-
-
- The Max-Forwards header, which specifies an integer indicating the remaining number of times that this request may be forwarded.
-
-
- The Pragma header, which specifies implementation-specific directives that might apply to any agent along the request/response chain.
-
-
- The Proxy-Authorization header, which specifies the credentials that the client presents in order to authenticate itself to a proxy.
-
-
- The Range header, which specifies the the sub-range(s) of the response that the client requests be returned in lieu of the entire response.
-
-
- The Referer header, which specifies the URI of the resource from which the request URI was obtained.
-
-
- The TE header, which specifies the transfer encodings that are acceptable for the response.
-
-
- The Trailer header, which specifies the header fields present in the trailer of a message encoded with chunked transfer-coding.
-
-
- The Transfer-Encoding header, which specifies what (if any) type of transformation that has been applied to the message body.
-
-
- The Translate header, a Microsoft extension to the HTTP specification used in conjunction with WebDAV functionality.
-
-
- The Upgrade header, which specifies additional communications protocols that the client supports.
-
-
- The User-Agent header, which specifies information about the client agent.
-
-
- The Via header, which specifies intermediate protocols to be used by gateway and proxy agents.
-
-
- The Warning header, which specifies additional information about that status or transformation of a message that might not be reflected in the message.
-
Provides an HTTP-specific implementation of the class.
@@ -146,8 +20,8 @@
The value of the Accept HTTP header. The default value is null.
- Gets or sets a value that indicates whether to buffer the received from the Internet resource.
- Returns .true to enable buffering of the data received from the Internet resource; false to disable buffering. The default is true.
+ Gets or sets a value that indicates whether to buffer the received from the Internet resource.
+ true to buffer the received from the Internet resource; otherwise, false.true to enable buffering of the data received from the Internet resource; false to disable buffering. The default is true.
Begins an asynchronous request for a object to use to write data.
@@ -194,7 +68,7 @@
Gets or sets a timeout, in milliseconds, to wait until the 100-Continue is received from the server.
- Returns .The timeout, in milliseconds, to wait until the 100-Continue is received.
+ The timeout, in milliseconds, to wait until the 100-Continue is received.
Gets or sets the cookies associated with the request.
@@ -265,7 +139,7 @@
Gets a value that indicates whether the request provides support for a .
- Returns .true if a is supported; otherwise, false.
+ true if the request provides support for a ; otherwise, false.true if a is supported; otherwise, false.
Gets or sets a value that controls whether default credentials are sent with requests.
@@ -347,7 +221,7 @@
The request scheme specified in is not supported by this instance.
is null.
- NoteIn the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
The exception that is thrown when an error is made while using a network protocol.
@@ -418,38 +292,6 @@
An exception of unknown type has occurred.
-
- Contains protocol headers associated with a request or response.
-
-
- Initializes a new instance of the class.
-
-
- Gets all header names (keys) in the collection.
- An array of type containing all header names in a Web request.
-
-
- Gets the number of headers in the collection.
- An indicating the number of headers in a request.
-
-
- Gets or sets the specified request header.
- A instance containing the specified header value.
- The request header value.
- This instance does not allow instances of .
-
-
-
-
-
-
- Returns an enumerator that can iterate through the instance.
- Returns .An enumerator that can iterate through the instance.
-
-
- This method is obsolete.
- The representation of the collection.
-
Makes a request to a Uniform Resource Identifier (URI). This is an abstract class.
@@ -493,7 +335,7 @@
is null.
The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
- NoteIn the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
diff --git a/packages/System.Net.Requests.4.3.0/ref/netcore50/de/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netcore50/de/System.Net.Requests.xml
new file mode 100644
index 0000000..028cd87
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netcore50/de/System.Net.Requests.xml
@@ -0,0 +1,523 @@
+
+
+
+ System.Net.Requests
+
+
+
+ Stellt eine HTTP-spezifische Implementierung der -Klasse bereit.
+
+
+ Bricht eine Anforderung an eine Internetressource ab.
+
+
+
+
+
+
+
+ Ruft den Wert des Accept-HTTP-Headers ab oder legt ihn fest.
+ Der Wert des Accept-HTTP-Headers.Der Standardwert ist null.
+
+
+ Ruft einen Wert ab, der angibt, ob die von der Internetressource empfangenen Daten gepuffert werden sollen, oder legt diesen Wert fest.
+ true, um die aus der Internetressource empfangenen Daten zwischenzuspeichern, andernfalls false.true aktiviert die Zwischenspeicherung der aus der Internetressource empfangenen Daten, false deaktiviert die Zwischenspeicherung.Die Standardeinstellung ist true.
+
+
+ Startet eine asynchrone Anforderung eines -Objekts, das zum Schreiben von Daten verwendet werden soll.
+ Ein , das auf die asynchrone Anforderung verweist.
+ Der -Delegat.
+ Das Zustandsobjekt für diese Anforderung.
+ Die -Eigenschaft ist GET oder HEAD.- oder - ist true, ist false, ist -1, ist false, und ist POST oder PUT.
+ Der Stream wird von einem vorherigen Aufruf von verwendet.- oder - ist auf einen Wert festgelegt, und ist false.- oder - Es sind nur noch wenige Threads im Threadpool verfügbar.
+ Die Cachebestätigung der Anforderung hat angegeben, dass die Antwort für diese Anforderung vom Cache bereitgestellt werden kann. Anforderungen, die Daten schreiben, dürfen jedoch den Cache nicht verwenden.Diese Ausnahme kann auftreten, wenn Sie eine benutzerdefinierte Cachebestätigung verwenden, die nicht ordnungsgemäß implementiert wurde.
+
+ wurde bereits zuvor aufgerufen.
+ In einer .NET Compact Framework-Anwendung wurde ein Anforderungsstream, dessen Inhalt die Länge 0 (null) hat, nicht korrekt abgerufen und geschlossen.Weitere Informationen über das Behandeln von Anforderungen mit einem Inhalt von der Länge 0 (null) finden Sie unter Network Programming in the .NET Compact Framework.
+
+
+
+
+
+
+
+
+
+
+ Startet eine asynchrone Anforderung an eine Internetressource.
+ Ein , das auf die asynchrone Anforderung einer Antwort verweist.
+ Der -Delegat.
+ Das Zustandsobjekt für diese Anforderung.
+ Der Stream wird bereits von einem vorherigen Aufruf von verwendet.- oder - ist auf einen Wert festgelegt, und ist false.- oder - Es sind nur noch wenige Threads im Threadpool verfügbar.
+
+ ist GET oder HEAD, und entweder ist größer als 0, oder ist true.- oder - ist true, ist false, ist -1, ist false, und ist POST oder PUT.- oder - Der hat einen Entitätstext, aber die -Methode wird aufgerufen, ohne die -Methode aufzurufen. - oder - ist größer als 0 (null), aber die Anwendung schreibt nicht alle versprochenen Daten.
+
+ wurde bereits zuvor aufgerufen.
+
+
+
+
+
+
+
+
+
+
+ Ruft den Wert des Content-type-HTTP-Headers ab oder legt ihn fest.
+ Der Wert des Content-type-HTTP-Headers.Der Standardwert ist null.
+
+
+ Ruft eine Timeout-Zeit (in Millisekunden) ab oder legt diese fest, bis zu der auf den Serverstatus gewartet wird, nachdem "100-Continue" vom Server empfangen wurde.
+ Das Timeout in Millisekunden, bis zu dem auf den Empfang von "100-Continue" gewartet wird.
+
+
+ Ruft die der Anforderung zugeordneten Cookies ab oder legt diese fest.
+ Ein mit den dieser Anforderung zugeordneten Cookies.
+
+
+ Ruft Authentifizierungsinformationen für die Anforderung ab oder legt diese fest.
+ Ein -Element mit den der Anforderung zugeordneten Anmeldeinformationen für die Authentifizierung.Die Standardeinstellung ist null.
+
+
+
+
+
+ Beendet eine asynchrone Anforderung eines -Objekts, das zum Schreiben von Daten verwendet werden soll.
+ Ein , der zum Schreiben von Anforderungsdaten verwendet werden soll.
+ Die ausstehende Anforderung für einen Datenstrom.
+
+ ist null.
+ Die Anforderung wurde nicht abgeschlossen, und es ist kein Stream verfügbar.
+
+ wurde nicht durch die derzeitige Instanz von einem Aufruf von zurückgegeben.
+ Diese Methode wurde zuvor unter Verwendung von aufgerufen.
+
+ wurde bereits zuvor aufgerufen.- oder - Fehler bei der Verarbeitung der Anforderung.
+
+
+
+
+
+
+
+ Beendet eine asynchrone Anforderung an eine Internetressource.
+ Eine mit der Antwort von der Internetressource.
+ Die ausstehende Anforderung einer Antwort.
+
+ ist null.
+ Diese Methode wurde zuvor unter Verwendung von aufgerufen.- oder - Die -Eigenschaft ist größer als 0, die Daten wurden jedoch nicht in den Anforderungsstream geschrieben.
+
+ wurde bereits zuvor aufgerufen.- oder - Fehler bei der Verarbeitung der Anforderung.
+
+ wurde nicht durch die derzeitige Instanz von einem Aufruf von zurückgegeben.
+
+
+
+
+
+
+
+ Ruft einen Wert ab, der angibt, ob eine Antwort von einer Internetressource empfangen wurde.
+ true, wenn eine Antwort empfangen wurde, andernfalls false.
+
+
+ Gibt eine Auflistung der Name-Wert-Paare an, aus denen sich die HTTP-Header zusammensetzen.
+ Eine mit den Name-Wert-Paaren, aus denen sich die Header für die HTTP-Anforderung zusammensetzen.
+ Die Anforderung wurde durch Aufrufen der -Methode, der -Methode, der -Methode oder der -Methode gestartet.
+
+
+
+
+
+ Ruft die Methode für die Anforderung ab oder legt diese fest.
+ Die Anforderungsmethode zum Herstellen der Verbindung mit der Internetressource.Der Standardwert ist GET.
+ Es wurde keine Methode angegeben.- oder - Die Zeichenfolge der Methode enthält ungültige Zeichen.
+
+
+ Ruft den ursprünglichen URI (Uniform Resource Identifier) der Anforderung ab.
+ Ein mit dem URI der Internetressource, der an die -Methode übergeben wurde.
+
+
+ Ruft einen Wert ab, der angibt, ob die Anforderung Unterstützung für einen bereitstellt.
+ true, wenn der Vorgang Unterstützung für einen bietet, andernfalls false.true, wenn ein unterstützt wird, andernfalls false.
+
+
+ Ruft einen -Wert ab, der steuert, ob mit den Anforderungen Standardanmeldeinformationen gesendet werden, oder legt diesen fest.
+ true, wenn die Standardanmeldeinformationen verwendet werden, andernfalls false.Der Standardwert ist false.
+ Sie haben versucht, diese Eigenschaft festzulegen, nachdem die Anforderung gesendet wurde.
+
+
+
+
+
+ Stellt eine HTTP-spezifische Implementierung der -Klasse bereit.
+
+
+ Ruft die Länge des von der Anforderung zurückgegebenen Inhalts ab.
+ Die Anzahl von Bytes, die von der Anforderung zurückgegeben werden.Die Inhaltslänge schließt nicht die Headerinformationen ein.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft den Inhaltstyp der Antwort ab.
+ Eine Zeichenfolge, die den Inhaltstyp der Antwort enthält.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft die dieser Antwort zugeordneten Cookies ab oder legt diese fest.
+ Eine mit den dieser Antwort zugeordneten Cookies.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Gibt die vom verwendeten, nicht verwalteten Ressourcen frei und verwirft optional auch die verwalteten Ressourcen.
+ true, um sowohl verwaltete als auch nicht verwaltete Ressourcen freizugeben. false, wenn ausschließlich nicht verwaltete Ressourcen freigegeben werden sollen.
+
+
+ Ruft den Stream ab, der zum Lesen des Textkörpers der Serverantwort verwendet wird.
+ Ein mit dem Antworttext.
+ Es ist kein Antwortstream vorhanden.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+
+
+
+
+
+ Ruft die Header ab, die dieser Antwort vom Server zugeordnet sind.
+ Eine mit den mit der Antwort zurückgegebenen Headerinformationen.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft die zum Zurückgeben der Antwort verwendete Methode ab.
+ Eine Zeichenfolge mit der zum Zurückgeben der Antwort verwendeten HTTP-Methode.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft den URI der Internetressource ab, die die Anforderung beantwortet hat.
+ Ein -Objekt, das den URI der Internetressource enthält, die die Anforderung beantwortet hat.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft den Status der Antwort ab.
+ Einer der -Werte.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft die mit der Antwort zurückgegebene Statusbeschreibung ab.
+ Eine Zeichenfolge, die den Status der Antwort beschreibt.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft einen Wert ab, der angibt, ob Header unterstützt werden.
+ Gibt zurück.true, wenn Header unterstützt werden, andernfalls false.
+
+
+ Stellt die Basisschnittstelle zum Erstellen von -Instanzen bereit.
+
+
+ Erstellt eine -Instanz.
+ Eine -Instanz.
+ Der URI (Uniform Resource Identifier) der Webressource.
+ Das in angegebene Anforderungsschema wird von dieser -Instanz nicht unterstützt.
+
+ ist null.
+ Unter .NET for Windows Store apps oder in der Portable Klassenbibliothek verwenden Sie stattdessen die Basisklassenausnahme .Der in angegebene URI ist kein gültiger URI.
+
+
+ Diese Ausnahme wird ausgelöst, wenn beim Verwenden eines Netzwerkprotokolls ein Fehler auftritt.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse mit der angegebenen Meldung.
+ Die Zeichenfolge der Fehlermeldung.
+
+
+ Diese Ausnahme wird ausgelöst, wenn während des Netzwerkzugriffes über ein austauschbares Protokoll ein Fehler auftritt.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse mit der angegebenen Fehlermeldung.
+ Der Text der Fehlermeldung.
+
+
+ Initialisiert eine neue Instanz der -Klasse mit der angegebenen Fehlermeldung und der angegebenen geschachtelten Ausnahme.
+ Der Text der Fehlermeldung.
+ Eine geschachtelte Ausnahme.
+
+
+ Initialisiert eine neue Instanz der -Klasse mit der angegebenen Fehlermeldung, der geschachtelten Ausnahme, dem Status und der Antwort.
+ Der Text der Fehlermeldung.
+ Eine geschachtelte Ausnahme.
+ Einer der -Werte.
+ Eine -Instanz, die die Antwort des Remotehosts enthält.
+
+
+ Initialisiert eine neue Instanz der -Klasse mit der angegebenen Fehlermeldung und dem angegebenen Status.
+ Der Text der Fehlermeldung.
+ Einer der -Werte.
+
+
+ Ruft die vom Remotehost zurückgegebene Antwort ab.
+ Wenn eine Antwort der Internetressource verfügbar ist, eine -Instanz mit der Fehlerantwort einer Internetressource, andernfalls null.
+
+
+ Ruft den Status der Antwort ab.
+ Einer der -Werte.
+
+
+ Definiert Statuscodes für die -Klasse.
+
+
+ Auf der Transportebene konnte keine Verbindung mit dem remoten Dienstpunkt hergestellt werden.
+
+
+ Es wurde eine Meldung empfangen, bei der die festgelegte Größe für das Senden einer Anforderung bzw. das Empfangen einer Antwort vom Server überschritten wurde.
+
+
+ Eine interne asynchrone Anforderung steht aus.
+
+
+ Die Anforderung wurde abgebrochen. Es wurde die -Methode aufgerufen, oder ein nicht klassifizierbarer Fehler ist aufgetreten.Dies ist der Standardwert für .
+
+
+ Es konnte keine vollständige Anforderung an den Remoteserver gesendet werden.
+
+
+ Es ist kein Fehler aufgetreten.
+
+
+ Eine Ausnahme unbekannten Typs ist aufgetreten.
+
+
+ Sendet eine Anforderung an einen Uniform Resource Identifier (URI).Dies ist eine abstract Klasse.
+
+
+ Initialisiert eine neue Instanz der-Klasse.
+
+
+ Bricht die Anforderung ab.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ Stellt beim Überschreiben in einer Nachfolgerklasse eine asynchrone Version der -Methode bereit.
+ Ein , das auf die asynchrone Anforderung verweist.
+ Der -Delegat.
+ Ein Objekt mit Zustandsinformationen für diese asynchrone Anforderung.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Startet beim Überschreiben in einer Nachfolgerklasse eine asynchrone Anforderung einer Internetressource.
+ Ein , das auf die asynchrone Anforderung verweist.
+ Der -Delegat.
+ Ein Objekt mit Zustandsinformationen für diese asynchrone Anforderung.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse den Inhaltstyp der zu sendenden Anforderungsdaten ab oder legt diese fest.
+ Der Inhaltstyp der Anforderungsdaten.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Initialisiert eine neue -Instanz für das angegebene URI-Schema.
+ Ein -Nachfolger für ein bestimmtes URI-Schema.
+ Der URI, der die Internetressource bezeichnet.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ Initialisiert eine neue -Instanz für das angegebene URI-Schema.
+ Ein -Nachfolger für das angegebene URI-Schema.
+ Ein mit dem URI der angeforderten Ressource.
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ Initialisiert eine neue -Instanz für die angegebene URI-Zeichenfolge.
+ Gibt zurück.Eine -Instanz für die spezifische URI-Zeichenfolge.
+ Eine URI-Zeichenfolge, mit der die Internetressource bezeichnet wird.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Initialisiert eine neue -Instanz für den angegebenen URI.
+ Gibt zurück.Eine -Instanz für die spezifische URI-Zeichenfolge.
+ Ein URI, mit dem die Internetressource bezeichnet wird.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse die Netzwerkanmeldeinformationen, die für die Authentifizierung der Anforderung der Internetressource verwendet werden, ab oder legt diese fest.
+ Ein -Objekt mit den mit der Anforderung verknüpften Authentifizierungsanmeldeinformationen.Die Standardeinstellung ist null.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Ruft den globalen HTTP-Proxy ab oder legt diesen fest.
+ Ein von jedem Aufruf der Instanzen von verwendeter .
+
+
+ Gibt beim Überschreiben in einer Nachfolgerklasse einen zum Schreiben von Daten in die Internetressource zurück.
+ Ein , in den Daten geschrieben werden können.
+ Ein , das auf eine ausstehende Anforderung eines Streams verweist.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Gibt beim Überschreiben in einer Nachfolgerklasse eine zurück.
+ Eine mit einer Antwort auf die Internetanforderung.
+ Ein , das auf eine ausstehende Anforderung einer Antwort verweist.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Gibt nach dem Überschreiben in einer abgeleiteten Klasse einen zurück, womit Daten in einem asynchronen Vorgang in die Internetressource geschrieben werden können.
+ Gibt zurück.Das Aufgabenobjekt, das den asynchronen Vorgang darstellt.
+
+
+ Gibt beim Überschreiben in einer Nachfolgerklasse in einem asynchronen Vorgang eine Antwort auf eine Internetanforderung zurück.
+ Gibt zurück.Das Aufgabenobjekt, das den asynchronen Vorgang darstellt.
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse eine Auflistung von Name-Wert-Paaren für Header ab, die mit der Anforderung verknüpft sind, oder legt diese fest.
+ Eine mit den dieser Anforderung zugeordneten Name-Wert-Paaren für Header.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse die in dieser Anforderung zu verwendende Protokollmethode ab oder legt diese fest.
+ Die in dieser Anforderung zu verwendende Protokollmethode.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse den beim Zugriff auf diese Internetressource verwendeten Netzwerkproxy ab oder legt diesen fest.
+ Der beim Zugriff auf die Internetressource zu verwendende .
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Registriert einen -Nachfolger für den angegebenen URI.
+ true, wenn die Registrierung erfolgreich ist, andernfalls false.
+ Der vollständige URI oder das URI-Präfix, der bzw. das der -Nachfolger bearbeitet.
+ Die Erstellungsmethode, die die zum Erstellen des -Nachfolgers aufruft.
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse den mit der Anforderung verknüpften URI der Internetressource ab.
+ Ein , der die der Anforderung zugeordnete Ressource darstellt.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse einen -Wert ab, der steuert, ob mit Anforderungen gesendet werden, oder legt einen solchen Wert fest.
+ true, wenn die Standardanmeldeinformationen verwendet werden, andernfalls false.Der Standardwert ist false.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Stellt eine Antwort eines URIs (Uniform Resource Identifier) bereit.Dies ist eine abstract Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse die Inhaltslänge der empfangenen Daten ab oder legt diese fest.
+ Die Anzahl der von der Internetressource zurückgegebenen Bytes.
+ Es wurde versucht, die Eigenschaft abzurufen oder festzulegen, obwohl die Eigenschaft in einer Nachfolgerklasse nicht überschrieben wurde.
+
+
+
+
+
+ Ruft beim Überschreiben in einer abgeleiteten Klasse den Inhaltstyp der empfangenen Daten ab oder legt diesen fest.
+ Eine Zeichenfolge, die den Inhaltstyp der Antwort enthält.
+ Es wurde versucht, die Eigenschaft abzurufen oder festzulegen, obwohl die Eigenschaft in einer Nachfolgerklasse nicht überschrieben wurde.
+
+
+
+
+
+ Gibt die vom -Objekt verwendeten nicht verwalteten Ressourcen frei.
+
+
+ Gibt die vom -Objekt verwendeten nicht verwalteten Ressourcen und verwirft optional auch die verwalteten Ressourcen.
+ true, um sowohl verwaltete als auch nicht verwaltete Ressourcen freizugeben. false, wenn ausschließlich nicht verwaltete Ressourcen freigegeben werden sollen.
+
+
+ Gibt beim Überschreiben in einer Nachfolgerklasse den Datenstream von der Internetressource zurück.
+ Eine Instanz der -Klasse zum Lesen von Daten aus der Internetressource.
+ Es wurde versucht, auf die Methode zuzugreifen, obwohl die Methode in einer Nachfolgerklasse nicht überschrieben wurde.
+
+
+
+
+
+ Ruft beim Überschreiben in einer abgeleiteten Klasse eine Auflistung von Name-Wert-Paaren für Header ab, die dieser Anforderung zugeordnet sind.
+ Eine Instanz der -Klasse, die Headerwerte enthält, die dieser Antwort zugeordnet sind.
+ Es wurde versucht, die Eigenschaft abzurufen oder festzulegen, obwohl die Eigenschaft in einer Nachfolgerklasse nicht überschrieben wurde.
+
+
+
+
+
+ Ruft beim Überschreiben in einer abgeleiteten Klasse den URI der Internetressource ab, die letztlich auf die Anforderung geantwortet hat.
+ Eine Instanz der -Klasse, die den URI der Internetressource enthält, die letztlich auf die Anforderung geantwortet hat.
+ Es wurde versucht, die Eigenschaft abzurufen oder festzulegen, obwohl die Eigenschaft in einer Nachfolgerklasse nicht überschrieben wurde.
+
+
+
+
+
+ Ruft einen Wert ab, der angibt, ob Header unterstützt werden.
+ Gibt zurück.true, wenn Header unterstützt werden, andernfalls false.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netcore50/es/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netcore50/es/System.Net.Requests.xml
new file mode 100644
index 0000000..1174941
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netcore50/es/System.Net.Requests.xml
@@ -0,0 +1,537 @@
+
+
+
+ System.Net.Requests
+
+
+
+ Proporciona una implementación específica de HTTP de la clase .
+
+
+ Cancela una solicitud de un recurso de Internet.
+
+
+
+
+
+
+
+ Obtiene o establece el valor del encabezado HTTP Accept.
+ Valor del encabezado HTTP Accept.El valor predeterminado es null.
+
+
+ Obtiene o establece un valor que indica si los datos recibidos del recurso de Internet deben almacenarse en el búfer.
+ truepara almacenar en búfer recibido del recurso de Internet; de lo contrario, false.Es true para habilitar el almacenamiento en búfer de los datos recibidos del recurso de Internet; es false para deshabilitar el almacenamiento en búfer.De manera predeterminada, es true.
+
+
+ Inicia una solicitud asincrónica de un objeto que se va a utilizar para escribir datos.
+
+ que hace referencia a la solicitud asincrónica.
+ Delegado .
+ Objeto de estado de esta solicitud.
+ La propiedad es GET o HEAD.o bien es true, es false, es -1, es false y es POST o PUT.
+ La secuencia la utiliza una llamada anterior a .o bien se establece en un valor y es false.o bien El grupo de subprocesos se queda sin subprocesos.
+ El validador de caché de solicitud indicó que la respuesta para esta solicitud se puede obtener de la caché; sin embargo, las solicitudes que escriben datos no deben utilizar la caché.Esta excepción puede aparecer si se utiliza un validador de caché personalizado que se implementa incorrectamente.
+ Se llamó anteriormente a .
+ En una aplicación de .NET Compact Framework, una secuencia de solicitudes con longitud de contenido cero no se obtuvo y se cerró correctamente.Para obtener más información sobre cómo controlar las solicitudes de longitud de contenido cero, vea Network Programming in the .NET Compact Framework.
+
+
+
+
+
+
+
+
+
+
+ Inicia una solicitud asincrónica de un recurso de Internet.
+
+ que hace referencia a la solicitud asincrónica de una respuesta.
+ Delegado .
+ Objeto de estado de esta solicitud.
+ La secuencia está en uso por una llamada anterior al método .o bien se establece en un valor y es false.o bien El grupo de subprocesos se queda sin subprocesos.
+
+ es GET o HEAD, y es mayor que cero o es true.o bien es true, es false, y es -1, es false y es POST o PUT.o bien tiene un cuerpo de entidad pero se llama al método sin llamar al método . o bien es mayor que el cero, pero la aplicación no escribe todos los datos prometidos.
+ Se llamó anteriormente a .
+
+
+
+
+
+
+
+
+
+
+ Obtiene o establece el valor del encabezado HTTP Content-type.
+ Valor del encabezado HTTP Content-type.El valor predeterminado es null.
+
+
+ Obtiene o establece el tiempo de espera, en milisegundos, para esperar hasta que se reciba 100-Continue del servidor.
+ El tiempo de espera, en milisegundos, que se espera hasta que se recibe 100-Continue.
+
+
+ Obtiene o establece las cookies asociadas a la solicitud.
+
+ que contiene las cookies asociadas a esta solicitud.
+
+
+ Obtiene o establece la información de autenticación para la solicitud.
+
+ que contiene las credenciales de autenticación asociadas a la solicitud.De manera predeterminada, es null.
+
+
+
+
+
+ Finaliza una solicitud asincrónica para utilizar un objeto para escribir datos.
+
+ que se utiliza para escribir los datos de la solicitud.
+ Solicitud pendiente de un flujo.
+
+ is null.
+ La solicitud no se completó y no hay ninguna secuencia disponible.
+ La instancia actual no devolvió de una llamada a .
+ Se llamó anteriormente a este método por medio de .
+ Se llamó anteriormente a .o bien Se ha producido un error al procesar la solicitud.
+
+
+
+
+
+
+
+ Finaliza una solicitud asincrónica de un recurso de Internet.
+
+ que contiene la respuesta del recurso de Internet.
+ Solicitud de una respuesta pendiente.
+
+ is null.
+ Se llamó anteriormente a este método por medio de .o bien La propiedad es mayor que 0, aunque no se han escrito los datos en la secuencia de la solicitud.
+ Se llamó anteriormente a .o bien Se ha producido un error al procesar la solicitud.
+ La instancia actual no devolvió de una llamada a .
+
+
+
+
+
+
+
+ Obtiene un valor que indica si se ha recibido una respuesta de un recurso de Internet.
+ Es true si se ha recibido una respuesta; de lo contrario, es false.
+
+
+ Especifica una colección de los pares nombre/valor que componen los encabezados HTTP.
+
+ que contiene los pares nombre-valor que componen los encabezados de la solicitud HTTP.
+ La solicitud se inició llamando al método , , o .
+
+
+
+
+
+ Obtiene o establece el método para la solicitud.
+ Método de solicitud que se debe utilizar para establecer contacto con el recurso de Internet.El valor predeterminado es GET.
+ No se proporciona ningún método.o bien La cadena de método contiene caracteres no válidos.
+
+
+ Obtiene el identificador URI original de la solicitud.
+ Un que contiene el URI del recurso de Internet pasado a la método.
+
+
+ Obtiene un valor que indica si la solicitud admite un .
+ trueSi la solicitud proporciona compatibilidad para una ; de lo contrario, false.trueSi un se admite; de lo contrario, false.
+
+
+ Obtiene o establece un valor que controla si se envían las credenciales predeterminadas con las solicitudes.
+ Es true si se utilizan las credenciales predeterminadas; en cualquier otro caso, es false.El valor predeterminado es false.
+ Se intentó establecer esta propiedad después de que se enviara la solicitud.
+
+
+
+
+
+ Proporciona una implementación específica de HTTP de la clase .
+
+
+ Obtiene la longitud del contenido devuelto por la solicitud.
+ Número de bytes devueltos por la solicitud.La longitud del contenido no incluye la información de encabezado.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene el tipo de contenido de la respuesta.
+ Cadena que contiene el tipo de contenido de la respuesta.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene o establece las cookies asociadas a esta respuesta.
+ Un objeto que contiene las cookies asociadas a esta respuesta.
+ Se ha eliminado la instancia actual.
+
+
+ Libera los recursos no administrados que usa y, de forma opcional, desecha los recursos administrados.
+ Es true para liberar tanto recursos administrados como no administrados; es false para liberar únicamente recursos no administrados.
+
+
+ Obtiene la secuencia usada para leer el cuerpo de la respuesta del servidor.
+
+ que contiene el cuerpo de la respuesta.
+ No hay secuencia de respuesta.
+ Se ha eliminado la instancia actual.
+
+
+
+
+
+
+
+ Obtiene los encabezados asociados con esta respuesta del servidor.
+
+ que contiene la información de encabezado devuelta con la respuesta.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene el método usado para devolver la respuesta.
+ Cadena que contiene el método HTTP usado para devolver la respuesta.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene el URI del recurso de Internet que respondió a la solicitud.
+ Objeto que contiene el URI del recurso de Internet que respondió a la solicitud.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene el estado de la respuesta.
+ Uno de los valores de .
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene la descripción del estado devuelto con la respuesta.
+ Cadena que describe el estado de la respuesta.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene un valor que indica si se admiten encabezados.
+ Devuelve .Es true si se admiten encabezados; de lo contrario, es false.
+
+
+ Proporciona la interfaz base para crear instancias de .
+
+
+ Crea una instancia de .
+ Instancia de .
+ Identificador de recursos uniforme (URI) del recurso Web.
+ Esta instancia de no admite el esquema de solicitud especificado en .
+
+ es null.
+ En las API de .NET para aplicaciones de la Tienda Windows o en la Biblioteca de clases portable, encuentre la excepción de la clase base, , en su lugar.El identificador URI especificado en no es válido.
+
+
+ Excepción que se produce cuando se produce un error mientras se utiliza un protocolo de red.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase con el mensaje especificado.
+ Cadena con el mensaje de error.
+
+
+ Excepción que se produce cuando se produce un error al obtener acceso a la red mediante un protocolo conectable.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase con el mensaje de error especificado.
+ Texto del mensaje de error.
+
+
+ Inicializa una nueva instancia de la clase con el mensaje de error y la excepción anidada especificados.
+ Texto del mensaje de error.
+ Excepción anidada.
+
+
+ Inicializa una nueva instancia de la clase con el mensaje de error, la excepción anidada, el estado y la respuesta especificados.
+ Texto del mensaje de error.
+ Excepción anidada.
+ Uno de los valores de .
+ Instancia de que contiene la respuesta del host remoto.
+
+
+ Inicializa una nueva instancia de la clase con el mensaje de error y el estado especificados.
+ Texto del mensaje de error.
+ Uno de los valores de .
+
+
+ Obtiene la respuesta que devolvió el host remoto.
+ Si hay una respuesta disponible en el recurso de Internet, se trata de una instancia de que contiene la respuesta de error de un recurso de Internet; en caso contrario, es null.
+
+
+ Obtiene el estado de la respuesta.
+ Uno de los valores de .
+
+
+ Define códigos de estado para la clase .
+
+
+ No se ha podido establecer contacto con el punto de servicio remoto en el nivel de transporte.
+
+
+ Se recibió un mensaje que superaba el límite especificado al enviar una solicitud o recibir una respuesta del servidor.
+
+
+ Está pendiente una solicitud asincrónica interna.
+
+
+ La solicitud se canceló, se llamó al método o se produjo un error no clasificable.Éste es el valor predeterminado de .
+
+
+ No se ha podido enviar una solicitud completa al servidor remoto.
+
+
+ No se ha encontrado ningún error.
+
+
+ Se ha producido una excepción de tipo desconocido.
+
+
+ Realiza una solicitud a un identificador uniforme de recursos (URI).Esta es una clase abstract.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Anula la solicitud
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ Cuando se reemplaza en una clase descendiente, proporciona una versión asincrónica del método .
+
+ que hace referencia a la solicitud asincrónica.
+ Delegado .
+ Objeto que contiene información de estado para esta solicitud asincrónica.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Cuando se reemplaza en una clase descendiente, comienza una solicitud asincrónica de un recurso de Internet.
+
+ que hace referencia a la solicitud asincrónica.
+ Delegado .
+ Objeto que contiene información de estado para esta solicitud asincrónica.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece el tipo de contenido de los datos solicitados que se envían.
+ Tipo de contenido de los datos de la solicitud.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Inicializa una nueva instancia de para el esquema URI especificado.
+ Descendiente para un esquema URI específico.
+ URI que identifica el recurso de Internet.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ Inicializa una nueva instancia de para el esquema URI especificado.
+ Descendiente para el esquema URI especificado.
+
+ que contiene el identificador URI del recurso solicitado.
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ Inicializa una nueva instancia de para la cadena de URI especificada.
+ Devuelve .Instancia de para la cadena de URI concreta.
+ Cadena de URI que identifica el recurso de Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Inicializa una nueva instancia de para el URI especificado.
+ Devuelve .Instancia de para la cadena de URI concreta.
+ URI que identifica el recurso de Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece las credenciales de red utilizadas para autenticar la solicitud con el recurso de Internet.
+
+ que contiene las credenciales de autenticación asociadas a la solicitud.De manera predeterminada, es null.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Obtiene o establece el proxy HTTP global.
+ Objeto usado en cada llamada a las instancias de .
+
+
+ Cuando se reemplaza en una clase descendiente, devuelve para escribir datos en el recurso de Internet.
+
+ donde se escribirán datos.
+
+ que hace referencia a una solicitud pendiente de una secuencia.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Cuando se reemplaza en una clase descendiente, devuelve .
+
+ que contiene una respuesta a la solicitud de Internet.
+
+ que hace referencia a una solicitud de respuesta pendiente.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Cuando se invalida en una clase descendiente, devuelve un objeto para escribir datos en el recurso de Internet como una operación asincrónica.
+ Devuelve .Objeto de tarea que representa la operación asincrónica.
+
+
+ Cuando se invalida en una clase descendiente, devuelve una respuesta a una solicitud de Internet como una operación asincrónica.
+ Devuelve .Objeto de tarea que representa la operación asincrónica.
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece la colección de pares de nombre/valor de encabezado asociados a la solicitud.
+
+ que contiene los pares de nombre/valor de encabezado que están asociados a esta solicitud.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece el método de protocolo que se va a utilizar en esta solicitud.
+ Método de protocolo que se utilizará en esta solicitud.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece el proxy de red que se va a utilizar para tener acceso a este recurso de Internet.
+
+ que se va a utilizar para tener acceso al recurso de Internet.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Registra un descendiente para el identificador URI especificado.
+ Es true si el registro es correcto; en caso contrario, es false.
+ Identificador URI o prefijo URI completo que resuelve el descendiente de .
+ Método de creación al que llama para crear el descendiente .
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene el identificador URI del recurso de Internet asociado a la solicitud.
+
+ que representa el recurso asociado a la solicitud
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece un valor que controla si se envían con las solicitudes.
+ Es true si se utilizan las credenciales predeterminadas; en caso contrario, es false.El valor predeterminado es false.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Proporciona una respuesta desde un identificador de recursos uniforme (URI).Esta es una clase abstract.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece la longitud del contenido de los datos recibidos.
+ Número de bytes devuelto desde el recurso de Internet.
+ Se intenta por todos los medios obtener o establecer la propiedad, cuando la propiedad no se reemplaza en una clase descendiente.
+
+
+
+
+
+ Cuando se realizan omisiones en una clase derivada, obtiene o establece el tipo de contenido de los datos recibidos.
+ Cadena que contiene el tipo de contenido de la respuesta.
+ Se intenta por todos los medios obtener o establecer la propiedad, cuando la propiedad no se reemplaza en una clase descendiente.
+
+
+
+
+
+ Libera los recursos no administrados que usa el objeto .
+
+
+ Libera los recursos no administrados que usa el objeto y, de forma opcional, desecha los recursos administrados.
+ Es true para liberar tanto recursos administrados como no administrados; es false para liberar únicamente recursos no administrados.
+
+
+ Cuando se reemplaza en una clase descendiente, se devuelve el flujo de datos desde el recurso de Internet.
+ Instancia de la clase para leer los datos procedentes del recurso de Internet.
+ Se intenta por todos los medios tener acceso al método, cuando el método no se reemplaza en una clase descendiente.
+
+
+
+
+
+ Cuando se realizan omisiones en una clase derivada, obtiene una colección de pares de nombre-valor de encabezado asociados a esta solicitud.
+ Instancia de la clase que contiene los valores de encabezado asociados a esta respuesta.
+ Se intenta por todos los medios obtener o establecer la propiedad, cuando la propiedad no se reemplaza en una clase descendiente.
+
+
+
+
+
+ Cuando se reemplaza en una clase derivada, obtiene el identificador URI del recurso de Internet que respondió a la solicitud.
+ Instancia de la clase que contiene el identificador URI del recurso de Internet que respondió a la solicitud.
+ Se intenta por todos los medios obtener o establecer la propiedad, cuando la propiedad no se reemplaza en una clase descendiente.
+
+
+
+
+
+ Obtiene un valor que indica si se admiten encabezados.
+ Devuelve .Es true si se admiten encabezados; de lo contrario, es false.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netcore50/fr/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netcore50/fr/System.Net.Requests.xml
new file mode 100644
index 0000000..0bf225f
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netcore50/fr/System.Net.Requests.xml
@@ -0,0 +1,530 @@
+
+
+
+ System.Net.Requests
+
+
+
+ Fournit une implémentation propre à HTTP de la classe .
+
+
+ Annule une requête adressée à une ressource Internet.
+
+
+
+
+
+
+
+ Obtient ou définit la valeur de l'en-tête HTTP Accept.
+ Valeur de l'en-tête HTTP Accept.La valeur par défaut est null.
+
+
+ Obtient ou définit une valeur indiquant si les données reçues à partir de la ressource Internet doivent être mises en mémoire tampon.
+ truedans la mémoire tampon reçues à partir de la ressource Internet ; Sinon, false.true pour activer la mise en mémoire tampon des données lues à partir de la ressource Internet ; false pour désactiver la mise en mémoire tampon.La valeur par défaut est true.
+
+
+ Démarre une requête asynchrone d'un objet à utiliser pour écrire des données.
+
+ qui fait référence à la requête asynchrone.
+ Délégué .
+ Objet d'état de cette requête.
+ La propriété est GET ou HEAD.ou La propriété a la valeur true, la propriété a la valeur false, la propriété a la valeur -1, la propriété a la valeur false et la propriété a la valeur POST ou PUT.
+ Le flux est actuellement utilisé par un appel antérieur à .ou Une valeur est affectée à la propriété et la propriété est false.ou Le pool de threads dispose d'un nombre insuffisant de threads.
+ Le validateur de cache de la requête a indiqué que la réponse à cette requête peut être fournie à partir du cache ; toutefois, les requêtes qui écrivent des données ne doivent pas utiliser le cache.Cette exception peut se produire si vous utilisez un validateur de cache personnalisé qui est implémenté de manière incorrecte.
+ La méthode a été appelée au préalable.
+ Dans une application .NET Compact Framework, un flux de requête avec une longueur de contenu nulle n'a pas été obtenu ni fermé correctement.Pour plus d'informations sur la gestion de requêtes avec une longueur de contenu nulle, consultez Network Programming in the .NET Compact Framework.
+
+
+
+
+
+
+
+
+
+
+ Démarre une requête asynchrone adressée à une ressource Internet.
+
+ qui fait référence à la requête asynchrone d'une réponse.
+ Délégué .
+ Objet d'état de cette requête.
+ Le flux est déjà utilisé par un appel antérieur à .ou Une valeur est affectée à la propriété et la propriété est false.ou Le pool de threads dispose d'un nombre insuffisant de threads.
+ La propriété a la valeur GET ou HEAD et la propriété est supérieure à zéro ou la propriété est true.ou La propriété a la valeur true, la propriété a la valeur false et la propriété a la valeur -1, la propriété a la valeur false et la propriété a la valeur POST ou PUT.ou Le a un corps d'entité, mais la méthode est appelée sans appeler la méthode . ou Le est supérieur à zéro, mais l'application n'écrit pas toutes les données promises.
+ La méthode a été appelée au préalable.
+
+
+
+
+
+
+
+
+
+
+ Obtient ou définit la valeur de l'en-tête HTTP Content-type.
+ Valeur de l'en-tête HTTP Content-type.La valeur par défaut est null.
+
+
+ Obtient ou définit le délai d'attente, en millisecondes, jusqu'à réception de la réponse 100-Continue depuis le serveur.
+ Délai d'attente, en millisecondes, jusqu'à réception de la réponse 100-Continue.
+
+
+ Obtient ou définit les cookies associés à la requête.
+
+ contenant les cookies associés à cette requête.
+
+
+ Obtient ou définit les informations d'authentification pour la requête.
+
+ qui contient les informations d'authentification associées à la requête.La valeur par défaut est null.
+
+
+
+
+
+ Met fin à une requête asynchrone d'un objet à utiliser pour écrire des données.
+
+ à utiliser pour écrire les données de la requête.
+ Requête d'un flux en attente.
+
+ a la valeur null.
+ La requête ne s'est pas achevée et aucun flux n'est disponible.
+
+ n'a pas été retourné par l'instance actuelle à partir d'un appel à la méthode .
+ Cette méthode a été appelée au préalable à l'aide de .
+ La méthode a été appelée au préalable.ou Une erreur s'est produite pendant le traitement de la requête.
+
+
+
+
+
+
+
+ Termine une requête asynchrone adressée à une ressource Internet.
+
+ contenant la réponse de la ressource Internet.
+ Requête d'une réponse en attente.
+
+ a la valeur null.
+ Cette méthode a été appelée au préalable à l'aide de ou La propriété est supérieure à 0, mais les données n'ont pas été écrites dans le flux de requête.
+ La méthode a été appelée au préalable.ou Une erreur s'est produite pendant le traitement de la requête.
+
+ n'a pas été retourné par l'instance actuelle à partir d'un appel à la méthode .
+
+
+
+
+
+
+
+ Obtient une valeur indiquant si une réponse a été reçue d'une ressource Internet.
+ true si une réponse a été reçue ; sinon, false.
+
+
+ Spécifie une collection de paires nom-valeur qui composent les en-têtes HTTP.
+
+ contenant les paires nom-valeur qui composent les en-têtes de la requête HTTP.
+ La requête a été lancée suite à l'appel de la méthode , , ou .
+
+
+
+
+
+ Obtient ou définit la méthode pour la requête.
+ Méthode de requête à utiliser pour contacter la ressource Internet.La valeur par défaut est GET.
+ Aucune méthode n'est fournie.ou La chaîne de la méthode contient des caractères non valides.
+
+
+ Obtient l'URI (Uniform Resource Identifier) d'origine de la requête.
+
+ contenant l'URI de la ressource Internet passée à la méthode .
+
+
+ Obtient une valeur qui indique si la requête fournit une prise en charge pour une .
+ trueSi la demande prend en charge une ; Sinon, false.true si un est pris en charge ; sinon, false.
+
+
+ Obtient ou définit une valeur qui contrôle si les informations d'identification par défaut sont envoyées avec les requêtes.
+ true si les informations d'identification par défaut sont utilisées ; sinon, false.La valeur par défaut est false.
+ Vous avez essayé de définir cette propriété après l'envoi de la requête.
+
+
+
+
+
+ Fournit une implémentation propre à HTTP de la classe .
+
+
+ Obtient la longueur du contenu retourné par la demande.
+ Nombre d'octets retournés par la demande.La longueur de contenu n'inclut pas d'informations d'en-tête.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient le type de contenu de la réponse.
+ Chaîne qui contient le type de contenu de la réponse.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient ou définit les cookies qui sont associés à cette réponse.
+
+ qui contient les cookies associés à cette réponse.
+ L'instance actuelle a été supprimée.
+
+
+ Libère les ressources non managées utilisées par et supprime éventuellement les ressources managées.
+ true pour libérer les ressources managées et non managées ; false pour libérer uniquement les ressources non managées.
+
+
+ Obtient le flux qui est utilisé pour lire le corps de la réponse du serveur.
+
+ contenant le corps de la réponse.
+ Il n'y a pas de flux de réponse.
+ L'instance actuelle a été supprimée.
+
+
+
+
+
+
+
+ Obtient du serveur les en-têtes qui sont associés à cette réponse.
+
+ qui contient les informations d'en-tête retournées avec la réponse.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient la méthode qui est utilisée pour retourner la réponse.
+ Chaîne qui contient la méthode HTTP utilisée pour retourner la réponse.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient l'URI de la ressource Internet qui a répondu à la demande.
+
+ qui contient l'URI de la ressource Internet qui a répondu à la demande.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient l'état de la réponse.
+ Une des valeurs de .
+ L'instance actuelle a été supprimée.
+
+
+ Obtient la description d'état retournée avec la réponse.
+ Chaîne qui décrit l'état de la réponse.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient une valeur qui indique si les en-têtes sont pris en charge.
+ Retourne .true si les en-têtes sont pris en charge ; sinon, false.
+
+
+ Fournit l'interface de base pour la création d'instances de .
+
+
+ Crée une instance de .
+ Instance de .
+ URI (Uniform Resource Identifier) de la ressource Web.
+ Le schéma de demande spécifié dans n'est pas pris en charge par cette instance de .
+
+ a la valeur null.
+ Dans les .NET pour applications Windows Store ou la Bibliothèque de classes portable, intercepte l'exception de classe de base, , sinon.L'URI spécifié dans n'est pas un URI valide.
+
+
+ Exception levée en cas d'erreur durant l'utilisation d'un protocole réseau.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe avec le message spécifié.
+ Chaîne du message d'erreur.
+
+
+ Exception levée en cas d'erreur lors de l'accès au réseau via un protocole enfichable.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe avec le message d'erreur spécifié.
+ Texte du message d'erreur.
+
+
+ Initialise une nouvelle instance de la classe avec le message d'erreur et l'exception imbriquée spécifiés.
+ Texte du message d'erreur.
+ Une exception imbriquée.
+
+
+ Initialise une nouvelle instance de la classe avec le message d'erreur, l'exception imbriquée, l'état et la réponse spécifiés.
+ Texte du message d'erreur.
+ Une exception imbriquée.
+ Une des valeurs de .
+ Instance de qui contient la réponse de l'hôte distant.
+
+
+ Initialise une nouvelle instance de la classe avec le message d'erreur et l'état spécifiés.
+ Texte du message d'erreur.
+ Une des valeurs de .
+
+
+ Obtient la réponse retournée par l'hôte distant.
+ Instance de qui contient la réponse d'erreur issue d'une ressource Internet, lorsqu'une réponse est disponible à partir de cette ressource ; sinon, null.
+
+
+ Obtient l'état de la réponse.
+ Une des valeurs de .
+
+
+ Définit les codes d'état pour la classe .
+
+
+ Le point de service distant n'a pas pu être contacté au niveau du transport.
+
+
+ Le message reçu dépassait la limite spécifiée lors de l'envoi d'une demande ou de la réception d'une réponse du serveur.
+
+
+ Une demande asynchrone interne est en attente.
+
+
+ La demande a été annulée, la méthode a été appelée ou une erreur inclassable s'est produite.C'est la valeur par défaut pour .
+
+
+ Une demande complète n'a pas pu être envoyée au serveur distant.
+
+
+ Aucune erreur n'a été rencontrée.
+
+
+ Une exception d'un type inconnu s'est produite.
+
+
+ Effectue une demande à un URI (Uniform Resource Identifier).Il s'agit d'une classe abstract.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Abandonne la demande.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ En cas de substitution dans une classe descendante, fournit une version asynchrone de la méthode .
+ Élément qui référence la demande asynchrone.
+ Délégué .
+ Objet contenant les informations d'état de cette demande asynchrone.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ En cas de substitution dans une classe descendante, démarre une demande asynchrone pour une ressource Internet.
+ Élément qui référence la demande asynchrone.
+ Délégué .
+ Objet contenant les informations d'état de cette demande asynchrone.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ En cas de substitution dans une classe descendante, obtient ou définit le type de contenu des données de demande envoyées.
+ Type de contenu des données de demande.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Initialise une nouvelle instance de pour le modèle d'URI spécifié.
+ Descendant de pour le modèle d'URI spécifique.
+ URI qui identifie la ressource Internet.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ Initialise une nouvelle instance de pour le modèle d'URI spécifié.
+ Descendant de pour le modèle d'URI spécifié.
+ Élément contenant l'URI de la ressource demandée.
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ Initialise une nouvelle instance de pour la chaîne d'URI spécifiée.
+ Retourne .Instance de pour la chaîne d'URI spécifique.
+ Chaîne d'URI qui identifie la ressource Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Initialise une nouvelle instance de pour l'URI spécifié.
+ Retourne .Instance de pour la chaîne d'URI spécifique.
+ URI qui identifie la ressource Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ En cas de substitution dans une classe descendante, obtient ou définit les informations d'identification réseau utilisées pour authentifier la demande auprès de la ressource Internet.
+ Élément contenant les informations d'identification d'authentification associées à la demande.La valeur par défaut est null.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Obtient ou définit le proxy HTTP global.
+ Élément utilisé par chaque appel aux instances de .
+
+
+ En cas de remplacement dans une classe descendante, retourne un élément pour l'écriture de données dans la ressource Internet.
+ Élément dans lequel écrire des données.
+ Élément qui référence une demande en attente pour un flux.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ En cas de remplacement dans une classe descendante, retourne un élément .
+ Élément qui contient une réponse à la demande Internet.
+ Élément qui référence une demande de réponse en attente.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ En cas de remplacement dans une classe descendante, retourne un élément pour l'écriture de données dans la ressource Internet sous forme d'opération asynchrone.
+ Retourne .Objet de tâche représentant l'opération asynchrone.
+
+
+ En cas de substitution dans une classe descendante, retourne une réponse à une demande Internet en tant qu'opération asynchrone.
+ Retourne .Objet de tâche représentant l'opération asynchrone.
+
+
+ En cas de substitution dans une classe descendante, obtient ou définit la collection de paires nom/valeur d'en-tête associées à la demande.
+ Élément qui contient les paires nom/valeur d'en-tête associées à cette demande.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ En cas de substitution dans une classe descendante, obtient ou définit la méthode de protocole à utiliser dans cette demande.
+ Méthode de protocole utilisée dans cette demande.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ En cas de substitution dans une classe descendante, obtient ou définit le proxy réseau à utiliser pour accéder à cette ressource Internet.
+ Élément à utiliser pour accéder à la ressource Internet.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Inscrit un descendant de pour l'URI spécifié.
+ true si l'inscription a réussi ; sinon, false.
+ URI complet ou préfixe d'URI traité par le descendant de .
+ Méthode de création appelée par l'élément pour créer le descendant de .
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ En cas de substitution dans une classe descendante, obtient l'URI de la ressource Internet associée à la demande.
+ Élément représentant la ressource associée à la demande.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ En cas de remplacement dans une classe descendante, obtient ou définit une valeur qui détermine si les éléments sont envoyés avec les demandes.
+ true si les informations d'identification par défaut sont utilisées ; sinon, false.La valeur par défaut est false.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Fournit une réponse provenant d'un URI (Uniform Resource Identifier).Il s'agit d'une classe abstract.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ En cas de substitution dans une classe dérivée, obtient ou définit la longueur du contenu des données reçues.
+ Nombre d'octets retournés par la ressource Internet.
+ Toutes les tentatives possibles sont effectuées pour obtenir ou définir la propriété si celle-ci n'est pas substituée dans une classe descendante.
+
+
+
+
+
+ En cas de substitution dans une classe dérivée, obtient ou définit le type de contenu des données reçues.
+ Chaîne qui contient le type de contenu de la réponse.
+ Toutes les tentatives possibles sont effectuées pour obtenir ou définir la propriété si celle-ci n'est pas substituée dans une classe descendante.
+
+
+
+
+
+ Libère les ressources non managées utilisées par l'objet .
+
+
+ Libère les ressources non managées utilisées par l'objet et supprime éventuellement les ressources managées.
+ true pour libérer les ressources managées et non managées ; false pour libérer uniquement les ressources non managées.
+
+
+ En cas de substitution dans une classe dérivée, retourne le flux de données de la ressource Internet.
+ Instance de la classe pour la lecture de données de la ressource Internet.
+ Toutes les tentatives possibles sont effectuées pour accéder à la méthode si celle-ci n'est pas substituée dans une classe descendante.
+
+
+
+
+
+ En cas de substitution dans une classe dérivée, obtient une collection de paires nom-valeur d'en-tête associées à cette demande.
+ Instance de la classe qui contient les valeurs d'en-tête associées à cette réponse.
+ Toutes les tentatives possibles sont effectuées pour obtenir ou définir la propriété si celle-ci n'est pas substituée dans une classe descendante.
+
+
+
+
+
+ En cas de substitution dans une classe dérivée, obtient l'URI de la ressource Internet qui a réellement répondu à la demande.
+ Instance de la classe qui contient l'URI de la ressource Internet qui a réellement répondu à la demande.
+ Toutes les tentatives possibles sont effectuées pour obtenir ou définir la propriété si celle-ci n'est pas substituée dans une classe descendante.
+
+
+
+
+
+ Obtient une valeur qui indique si les en-têtes sont pris en charge.
+ Retourne .true si les en-têtes sont pris en charge ; sinon, false.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netcore50/it/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netcore50/it/System.Net.Requests.xml
new file mode 100644
index 0000000..d048d98
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netcore50/it/System.Net.Requests.xml
@@ -0,0 +1,523 @@
+
+
+
+ System.Net.Requests
+
+
+
+ Fornisce un'implementazione specifica di HTTP della classe .
+
+
+ Annulla una richiesta a una risorsa Internet.
+
+
+
+
+
+
+
+ Ottiene o imposta il valore dell'intestazione HTTP Accept.
+ Valore dell'intestazione HTTP Accept.Il valore predefinito è null.
+
+
+ Ottiene o imposta un valore che indica se memorizzare nel buffer i dati ricevuti dalla risorsa Internet.
+ trueper memorizzare l'oggetto ricevuto dalla risorsa Internet. in caso contrario, false.true per abilitare la memorizzazione nel buffer dei dati ricevuti dalla risorsa Internet; false per disabilitarla.Il valore predefinito è true.
+
+
+ Avvia una richiesta asincrona per un oggetto da usare per la scrittura dei dati.
+ Oggetto che fa riferimento alla richiesta asincrona.
+ Delegato .
+ Oggetto di stato per la richiesta.
+ La proprietà è GET oppure HEAD.-oppure- è true, è false, è -1, è false e è POST o PUT.
+ Il flusso è utilizzato da una chiamata precedente a -oppure- è impostata su un valore e è false.-oppure- Il pool di thread sta esaurendo i thread.
+ Il validator della cache delle richieste ha indicato che la risposta per questa richiesta può essere soddisfatta dalla cache; tuttavia le richieste che scrivono dati non utilizzano la cache.Questa eccezione può verificarsi se si utilizza un validator personalizzato per la cache non implementato correttamente.
+
+ è stato chiamato precedentemente.
+ In un'applicazione .NET Compact Framework, un flusso di richiesta con una lunghezza del contenuto pari a zero non è stato ottenuto e chiuso in modo corretto.Per ulteriori informazioni sulla gestione di richieste di lunghezza del contenuto pari a zero, vedere Network Programming in the .NET Compact Framework.
+
+
+
+
+
+
+
+
+
+
+ Avvia una richiesta asincrona a una risorsa Internet.
+ Oggetto che fa riferimento alla richiesta asincrona per una risposta.
+ Delegato .
+ Oggetto di stato per la richiesta.
+ Il flusso è già utilizzato da una chiamata precedente a .-oppure- è impostata su un valore e è false.-oppure- Il pool di thread sta esaurendo i thread.
+
+ è GET oppure HEAD e è maggiore di zero o è true.-oppure- è true, è false e è -1, è false e è POST o PUT.-oppure- dispone di un corpo dell'entità ma il metodo viene chiamato senza chiamare il metodo . -oppure- è maggiore di zero, ma l'applicazione non scrive tutti i dati promessi.
+
+ è stato chiamato precedentemente.
+
+
+
+
+
+
+
+
+
+
+ Ottiene o imposta il valore dell'intestazione HTTP Content-type.
+ Valore dell'intestazione HTTP Content-type.Il valore predefinito è null.
+
+
+ Ottiene o imposta un valore di timeout in millisecondi di attesa dopo la ricezione di 100-Continue dal server.
+ Valore di timeout in millisecondi di attesa dopo la ricezione di 100-Continue dal server.
+
+
+ Ottiene o imposta i cookie associati alla richiesta.
+ Oggetto contenente i cookie associati a questa richiesta.
+
+
+ Ottiene o imposta le informazioni sull'autenticazione per la richiesta.
+ Oggetto contenente le credenziali di autenticazione associate alla richiesta.Il valore predefinito è null.
+
+
+
+
+
+ Termina una richiesta asincrona per un oggetto da usare per la scrittura dei dati.
+ Oggetto da usare per scrivere i dati della richiesta.
+ Richiesta in sospeso per un flusso.
+
+ è null.
+ La richiesta non è stata completata e nessun flusso è disponibile.
+
+ non è stato restituito dall'istanza corrente da una chiamata a .
+ Il metodo è stato chiamato in precedenza utilizzando .
+
+ è stato chiamato precedentemente.-oppure- Si è verificato un errore durante l'elaborazione della richiesta.
+
+
+
+
+
+
+
+ Termina una richiesta asincrona a una risorsa Internet.
+ Oggetto contenente la risposta dalla risorsa Internet.
+ La richiesta in sospeso per una risposta.
+
+ è null.
+ Il metodo è stato chiamato in precedenza utilizzando .-oppure- La proprietà è maggiore di 0 ma i dati non sono stati scritti nel flusso di richiesta.
+
+ è stato chiamato precedentemente.-oppure- Si è verificato un errore durante l'elaborazione della richiesta.
+
+ non è stato restituito dall'istanza corrente da una chiamata a .
+
+
+
+
+
+
+
+ Ottiene un valore che indica se una risposta è stata ricevuta da una risorsa Internet.
+ true se è stata ricevuta una risposta; in caso contrario, false.
+
+
+ Specifica una raccolta delle coppie nome/valore che compongono le intestazioni HTTP.
+ Oggetto contenente le coppie nome/valore che compongono le intestazioni della richiesta HTTP.
+ La richiesta è stata avviata chiamando il metodo , , o .
+
+
+
+
+
+ Ottiene o imposta il metodo per la richiesta.
+ Il metodo di richiesta da usare per contattare la risorsa Internet.Il valore predefinito è GET.
+ Non viene fornito alcun metodo.-oppure- La stringa del metodo contiene caratteri non validi.
+
+
+ Ottiene l'URI originale della richiesta.
+ Oggetto contenente l'URI della risorsa Internet passata al metodo .
+
+
+ Ottiene un valore che indica se la richiesta fornisce supporto per un oggetto .
+ trueSe la richiesta fornisce il supporto per un ; in caso contrario, false.true se un oggetto è supportato; in caso contrario, false.
+
+
+ Ottiene o imposta un valore che controlla se le credenziali predefinite sono inviate con le richieste.
+ true se vengono usate le credenziali predefinite; in caso contrario, false.Il valore predefinito è false.
+ Tentativo di impostare questa proprietà dopo l'invio della richiesta.
+
+
+
+
+
+ Fornisce un'implementazione specifica di HTTP della classe .
+
+
+ Ottiene la lunghezza del contenuto restituito dalla richiesta.
+ Numero di byte restituito dalla richiesta.La lunghezza del contenuto non include le informazioni dell'intestazione.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene il tipo di contenuto della risposta.
+ Stringa in cui è presente il tipo di contenuto della risposta.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene o imposta i cookie associati a questa risposta.
+ Oggetto in cui sono contenuti i cookie associati a questa risposta.
+ L'istanza corrente è stata eliminata.
+
+
+ Rilascia le risorse non gestite usate da e, facoltativamente, elimina le risorse gestite.
+ true per rilasciare sia le risorse gestite sia quelle non gestite; false per rilasciare solo le risorse non gestite.
+
+
+ Ottiene il flusso usato per la lettura del corpo della risposta dal server.
+ Oggetto contenente il corpo della risposta.
+ Nessun flusso di risposta.
+ L'istanza corrente è stata eliminata.
+
+
+
+
+
+
+
+ Ottiene le intestazioni associate a questa risposta dal server.
+ Oggetto in cui sono contenute le informazioni di intestazione restituite con la risposta.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene il metodo usato per restituire la risposta.
+ Stringa in cui è contenuto il metodo HTTP usato per restituire la risposta.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene l'URI della risorsa Internet che ha risposto alla richiesta.
+ Oggetto che contiene l'URI della risorsa Internet che ha risposto alla richiesta.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene lo stato della risposta.
+ Uno dei valori di .
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene la descrizione dello stato restituita con la risposta.
+ Stringa in cui è descritto lo stato della risposta.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene un valore che indica se sono supportate le intestazioni.
+ Restituisce .true se le intestazioni sono supportate; in caso contrario, false.
+
+
+ Fornisce l'interfaccia di base per la creazione di istanze di .
+
+
+ Crea un'istanza di .
+ Istanza di .
+ L'Uniform Resource Identifier (URI) della risorsa Web.
+ Lo schema di richiesta specificato in non è supportato da questa istanza .
+
+ è null.
+ Nell'API.NET per le applicazioni Windows o nella Libreria di classi portabile, rilevare piuttosto l'eccezione della classe di base .L'URI specificato in non è valido.
+
+
+ L'eccezione generata quando si verifica un errore durante l'utilizzo di un protocollo di rete.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe con il messaggio specificato.
+ La stringa del messaggio di errore
+
+
+ L'eccezione generata quando si verifica un errore durante l'accesso alla rete tramite un protocollo pluggable.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe con il messaggio di errore specificato.
+ Il testo del messaggio di errore,
+
+
+ Inizializza una nuova istanza della classe con il messaggio di errore e l'eccezione annidata specificati.
+ Il testo del messaggio di errore,
+ Un'eccezione annidata.
+
+
+ Inizializza una nuova istanza della classe con il messaggio di errore, l'eccezione annidata, lo stato e la risposta specificati.
+ Il testo del messaggio di errore,
+ Un'eccezione annidata.
+ Uno dei valori della classe .
+ Istanza di contenente la risposta dall'host remoto.
+
+
+ Inizializza una nuova istanza della classe con il messaggio di errore e lo stato specificati.
+ Il testo del messaggio di errore,
+ Uno dei valori della classe .
+
+
+ Recupera la risposta restituita dall'host remoto.
+ Se una risposta è disponibile dalla risorsa Internet, un'istanza di contenente la risposta di errore da una risorsa Internet; in caso contrario, null.
+
+
+ Ottiene lo stato della risposta.
+ Uno dei valori della classe .
+
+
+ Definisce i codici di stato per la classe .
+
+
+ Non è stato possibile contattare il punto di servizio remoto a livello di trasporto.
+
+
+ È stato ricevuto un messaggio che ha superato il limite specificato durante l'invio di una richiesta o durante la ricezione di una risposta dal server.
+
+
+ Una richiesta asincrona interna è in sospeso.
+
+
+ La richiesta è stata annullata, il metodo è stato chiamato o si è verificato un errore non classificabile.Questo è il valore predefinito per .
+
+
+ Non è stato possibile inviare una richiesta completa al server remoto.
+
+
+ Non si è verificato alcun errore.
+
+
+ Si è verificata un'eccezione di tipo sconosciuto.
+
+
+ Esegue una richiesta a un URI (Uniform Resource Identifier).Questa è una classe abstract.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Interrompe la richiesta.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe discendente, fornisce una versione asincrona del metodo .
+ Oggetto che fa riferimento alla richiesta asincrona.
+ Delegato .
+ Oggetto contenente le informazioni di stato per la richiesta asincrona.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, avvia una richiesta asincrona per una risorsa Internet.
+ Oggetto che fa riferimento alla richiesta asincrona.
+ Delegato .
+ Oggetto contenente le informazioni di stato per la richiesta asincrona.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta il tipo di contenuto dei dati inviati per la richiesta.
+ Tipo di contenuto dei dati della richiesta.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Inizializza una nuova istanza di per lo schema URI specificato.
+ Oggetto discendente per lo schema URI specificato.
+ URI che identifica la risorsa Internet.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ Inizializza una nuova istanza di per lo schema URI specificato.
+ Oggetto discendente per lo schema URI specificato.
+ Oggetto contenente l'URI della risorsa richiesta.
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ Inizializza una nuova istanza di per la stinga URI specificata.
+ Restituisce .Istanza di per la stringa URI specifica.
+ Stringa URI che identifica la risorsa Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Inizializza una nuova istanza di per l'URI specificato.
+ Restituisce .Istanza di per la stringa URI specifica.
+ URI che identifica la risorsa Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta le credenziali di rete usate per l'autenticazione della richiesta con la risorsa Internet.
+ Oggetto che contiene le credenziali di autenticazione associate alla richiesta.Il valore predefinito è null.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Ottiene o imposta il proxy HTTP globale.
+ Oggetto usato da ogni chiamata alle istanze di .
+
+
+ Quando ne viene eseguito l'override in una classe discendente, restituisce un oggetto per la scrittura di dati nella risorsa Internet.
+ Oggetto in cui scrivere i dati.
+ Oggetto che fa riferimento a una richiesta in sospeso di un flusso.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, restituisce un oggetto .
+ Oggetto contenente una risposta alla richiesta Internet.
+ Oggetto che fa riferimento a una richiesta in sospeso di una risposta.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, restituisce un oggetto per la scrittura dei dati nella risorse Internet come operazione asincrona.
+ Restituisce .Oggetto dell'attività che rappresenta l'operazione asincrona.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, restituisce una risposta a una richiesta Internet come operazione asincrona.
+ Restituisce .Oggetto dell'attività che rappresenta l'operazione asincrona.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta la raccolta di coppie nome/valore di intestazione associate alla richiesta.
+ Oggetto che contiene le coppie nome/valore di intestazione associate alla richiesta.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta il metodo di protocollo da usare nella richiesta.
+ Metodo di protocollo da usare nella richiesta.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta il proxy di rete per accedere alla risorsa Internet.
+ Oggetto da usare per accedere alla risorsa Internet.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Registra un oggetto discendente per l'URI specificato.
+ true se la registrazione viene eseguita correttamente; in caso contrario, false.
+ URI completo o prefisso URI gestito dal discendente .
+ Metodo di creazione chiamato da per creare il discendente .
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene l'URI della risorsa Internet associata alla richiesta.
+ Oggetto che rappresenta la risorsa associata alla richiesta.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta un valore che controlla se vengono inviate proprietà con le richieste.
+ true se vengono usate le credenziali predefinite; in caso contrario, false.Il valore predefinito è false.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Fornisce una risposta da un Uniform Resource Identifier (URI).Questa è una classe abstract.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta la lunghezza del contenuto dei dati ricevuti.
+ Numero dei byte restituiti dalla risorsa Internet.
+ Viene eseguito un tentativo per ottenere o impostare la proprietà quando quest'ultima non è sottoposta a override in una classe discendente.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe derivata, ottiene o imposta il tipo del contenuto dei dati ricevuti.
+ Stringa in cui è presente il tipo di contenuto della risposta.
+ Viene eseguito un tentativo per ottenere o impostare la proprietà quando quest'ultima non è sottoposta a override in una classe discendente.
+
+
+
+
+
+ Rilascia le risorse non gestite usate dall'oggetto .
+
+
+ Rilascia le risorse non gestite usate dall'oggetto ed eventualmente elimina le risorse gestite.
+ true per rilasciare sia le risorse gestite sia quelle non gestite; false per rilasciare solo le risorse non gestite.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, restituisce il flusso di dati dalla risorsa Internet.
+ Istanza della classe per la lettura dei dati dalla risorsa Internet.
+ Viene eseguito un tentativo di accedere al metodo quando quest'ultimo non è sottoposto a override in una classe discendente.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe derivata, ottiene una raccolta di coppie nome/valore di intestazione associate alla richiesta.
+ Istanza della classe in cui sono contenuti i valori di intestazione associati alla risposta.
+ Viene eseguito un tentativo per ottenere o impostare la proprietà quando quest'ultima non è sottoposta a override in una classe discendente.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe derivata, ottiene l'URI della risorsa Internet che ha effettivamente risposto alla richiesta.
+ Istanza della classe contenente l'URI della risorsa Internet che ha effettivamente risposto alla richiesta.
+ Viene eseguito un tentativo per ottenere o impostare la proprietà quando quest'ultima non è sottoposta a override in una classe discendente.
+
+
+
+
+
+ Ottiene un valore che indica se sono supportate le intestazioni.
+ Restituisce .true se le intestazioni sono supportate; in caso contrario, false.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netcore50/ja/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netcore50/ja/System.Net.Requests.xml
new file mode 100644
index 0000000..717b2e6
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netcore50/ja/System.Net.Requests.xml
@@ -0,0 +1,559 @@
+
+
+
+ System.Net.Requests
+
+
+
+
+ クラスの HTTP 固有の実装を提供します。
+
+
+ インターネット リソースへの要求を取り消します。
+
+
+
+
+
+
+
+ Accept HTTP ヘッダーの値を取得または設定します。
+ Accept HTTP ヘッダーの値。既定値は null です。
+
+
+ インターネット リソースから受け取ったデータをバッファリングするかどうかを示す値を取得または設定します。
+ trueインターネット リソースから受信されたバッファーに格納するにはそれ以外の場合、falseです。インターネット リソースから受信したデータのバッファリングを有効にする場合は true。バッファリングを無効にする場合は false。既定値は、true です。
+
+
+ データを書き込むために使用する オブジェクトの非同期要求を開始します。
+ 非同期の要求を参照する 。
+
+ デリゲート。
+ この要求に対して使用する状態オブジェクト。
+
+ プロパティが GET または HEAD です。または は true で、 は false で、 は -1 で、 は false で、 は POST または PUT です。
+ ストリームが、 の前回の呼び出しで使用されています。または に値が設定され、 が false です。またはスレッド プールのスレッドが不足しています。
+ 要求のキャッシュ検証コントロールで、この要求の応答がキャッシュから取得できることが示されましたが、データの書き込みを行う要求でキャッシュは使用できません。この例外は、キャッシュ検証コントロールの不適切なカスタム実装を使用した場合に発生することがあります。
+
+ は既に呼び出されました。
+ .NET Compact Framework アプリケーションで、コンテンツ長が 0 の要求ストリームは取得されず、適切に閉じられました。コンテンツ長が 0 の要求の処理の詳細については、「Network Programming in the .NET Compact Framework」を参照してください。
+
+
+
+
+
+
+
+
+
+
+ インターネット リソースへの非同期要求を開始します。
+ 非同期要求の応答を参照する 。
+
+ デリゲート
+ この要求に対して使用する状態オブジェクト。
+ ストリームが、既に の前回の呼び出しで使用されています。または に値が設定され、 が false です。またはスレッド プールのスレッドが不足しています。
+
+ が GET または HEAD で、 が 0 より大きいか、 が true です。または は true で、 は false です。また、 は -1、 は false、 は POST または PUT です。または にはエンティティ本体がありますが、 メソッドを呼び出さずに、 メソッドが呼び出されます。または が 0 より大きいが、アプリケーションが約束されたすべてのデータを書き込むようになっていません。
+
+ は既に呼び出されました。
+
+
+
+
+
+
+
+
+
+
+ Content-type HTTP ヘッダーの値を取得または設定します。
+ Content-type HTTP ヘッダーの値。既定値は null です。
+
+
+ 100 回の続行まで待機するミリ秒単位のタイムアウト値をサーバーから取得または設定します。
+ 100 回の続行まで待機するミリ秒単位のタイムアウト値。
+
+
+ 要求に関連付けられているクッキーを取得または設定します。
+ この要求に関連付けられているクッキーを格納している 。
+
+
+ 要求に対して使用する認証情報を取得または設定します。
+ 要求と関連付けられた認証資格情報を格納する 。既定値は、null です。
+
+
+
+
+
+ データを書き込むために使用する オブジェクトの非同期要求を終了します。
+ 要求データを書き込むために使用する 。
+ ストリームの保留中の要求。
+
+ は null です。
+ 要求が完了しませんでした。また、ストリームは使用できません。
+ 現在のインスタンスによって、 への呼び出しから が返されませんでした。
+ このメソッドは、 を使用して既に呼び出されています。
+
+ は既に呼び出されました。または要求の処理中にエラーが発生しました。
+
+
+
+
+
+
+
+ インターネット リソースへの非同期要求を終了します。
+ インターネット リソースからの応答を格納している 。
+ 応答の保留中の要求。
+
+ は null です。
+ このメソッドは、 を使用して既に呼び出されています。または プロパティが 0 を超えていますが、データが要求ストリームに書き込まれていません。
+
+ は既に呼び出されました。または要求の処理中にエラーが発生しました。
+
+ was not returned by the current instance from a call to .
+
+
+
+
+
+
+
+ インターネット リソースから応答が受信されたかどうかを示す値を取得します。
+ 応答を受信した場合は true。それ以外の場合は false。
+
+
+ HTTP ヘッダーを構成する名前と値のペアのコレクションを指定します。
+ HTTP 要求のヘッダーを構成する名前と値のペアを格納している 。
+ 要求が 、、、または の各メソッドの呼び出しによって開始されました。
+
+
+
+
+
+ 要求に対して使用するメソッドを取得または設定します。
+ インターネット リソースと通信するために使用する要求メソッド。既定値は GET です。
+ メソッドが指定されていません。またはメソッドの文字列に無効な文字が含まれています。
+
+
+ 要求の元の URI (Uniform Resource Identifier) を取得します。
+
+ メソッドに渡されたインターネット リソースの URI を格納している 。
+
+
+ 要求が をサポートするかどうかを示す値を取得します。
+ true要求のサポートを提供する場合、です。それ以外の場合、falseです。true if a is supported; otherwise, false.
+
+
+ 既定の資格情報が要求と共に送信されるかどうかを制御する 値を取得または設定します。
+ 既定の資格情報を使用する場合は true。それ以外の場合は false。既定値は false です。
+ 要求が送信された後で、このプロパティを設定しようとしました。
+
+
+
+
+
+
+ クラスの HTTP 固有の実装を提供します。
+
+
+ 要求で返されるコンテンツ長を取得します。
+ 要求で返されるバイト数。コンテンツ長には、ヘッダー情報は含まれません。
+ 現在のインスタンスは破棄されています。
+
+
+ 応答のコンテンツ タイプを取得します。
+ 応答のコンテンツ タイプを格納する文字列。
+ 現在のインスタンスは破棄されています。
+
+
+ この応答に関連付けられているクッキーを取得または設定します。
+ この要求に関連付けられているクッキーを格納する 。
+ 現在のインスタンスは破棄されています。
+
+
+
+ が使用しているアンマネージ リソースを解放します。オプションでマネージ リソースも破棄します。
+ マネージ リソースとアンマネージ リソースの両方を解放する場合は true。アンマネージ リソースだけを解放する場合は false。
+
+
+ サーバーから応答の本文を読み取るために使用するストリームを取得します。
+ 応答の本文を格納している 。
+ 応答ストリームがありません。
+ 現在のインスタンスは破棄されています。
+
+
+
+
+
+
+
+ 応答に関連付けられているヘッダーをサーバーから取得します。
+ 応答で返されるヘッダー情報を格納する 。
+ 現在のインスタンスは破棄されています。
+
+
+ 応答を返すために使用するメソッドを取得します。
+ 応答を返すために使用する HTTP メソッドを格納する文字列。
+ 現在のインスタンスは破棄されています。
+
+
+ 要求に応答したインターネット リソースの URI を取得します。
+ 要求に応答したインターネット リソースの URI を格納する 。
+ 現在のインスタンスは破棄されています。
+
+
+ 応答のステータスを取得します。
+
+ 値の 1 つ。
+ 現在のインスタンスは破棄されています。
+
+
+ 応答で返されるステータス記述を取得します。
+ 応答のステータスを記述する文字列。
+ 現在のインスタンスは破棄されています。
+
+
+ ヘッダーがサポートされているかどうかを示す値を取得します。
+
+ を返します。ヘッダーがサポートされる場合は true。それ以外の場合は false。
+
+
+
+ インスタンスを作成するための基本インターフェイスを提供します。
+
+
+
+ インスタンスを作成します。
+
+ のインスタンス。
+ Web リソースの URI。
+
+ で指定された要求スキームは、この インスタンスではサポートされません。
+
+ は null なので、
+ Windows ストア アプリのための .NET または汎用性のあるクラス ライブラリで、基本クラスの例外 を代わりにキャッチします。 で指定された URI が有効な URI ではありません。
+
+
+ ネットワーク プロトコルの使用中にエラーが発生した場合にスローされる例外。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ 指定したメッセージを使用して、 クラスの新しいインスタンスを初期化します。
+ エラー メッセージ文字列。
+
+
+ プラグ可能プロトコルによるネットワークへのアクセスでエラーが発生した場合にスローされる例外。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを、指定したエラー メッセージを使用して初期化します。
+ エラー メッセージのテキスト。
+
+
+
+ クラスの新しいインスタンスを、指定したエラー メッセージと入れ子になった例外を使用して初期化します。
+ エラー メッセージのテキスト。
+ 入れ子になった例外。
+
+
+
+ クラスの新しいインスタンスを、指定したエラー メッセージ、入れ子になった例外、ステータス、および応答を使用して初期化します。
+ エラー メッセージのテキスト。
+ 入れ子になった例外。
+
+ 値の 1 つ。
+ リモート ホストからの応答を格納する インスタンス。
+
+
+
+ クラスの新しいインスタンスを、指定したエラー メッセージとステータスを使用して初期化します。
+ エラー メッセージのテキスト。
+
+ 値の 1 つ。
+
+
+ リモート ホストが返す応答を取得します。
+ インターネット リソースから応答がある場合は、インターネット リソースからのエラー応答を格納した インスタンス。それ以外の場合は null。
+
+
+ 応答のステータスを取得します。
+
+ 値の 1 つ。
+
+
+
+ クラスのステータス コードを定義します。
+
+
+ トランスポート レベルで、リモート サービス ポイントと通信できませんでした。
+
+
+ サーバーに要求を送信、またはサーバーからの応答を受信しているときに、制限長を超えるメッセージが渡されました。
+
+
+ 内部非同期要求が保留中です。
+
+
+ 要求が取り消されたか、 メソッドが呼び出されたか、または分類できないエラーが発生しました。これは、 の既定値です。
+
+
+ 完全な要求をリモート サーバーに送信できませんでした。
+
+
+ エラーは発生しませんでした。
+
+
+ 未知の種類の例外が発生しました。
+
+
+ Uniform Resource Identifier (URI) に対する要求を実行します。これは abstract クラスです。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ 要求を中止します。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ 派生クラスでオーバーライドされると、 メソッドの非同期バージョンを提供します。
+ 非同期の要求を参照する 。
+
+ デリゲート。
+ 非同期要求の状態情報を格納するオブジェクト。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースの非同期要求を開始します。
+ 非同期の要求を参照する 。
+
+ デリゲート。
+ 非同期要求の状態情報を格納するオブジェクト。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 派生クラスでオーバーライドされると、送信している要求データのコンテンツ タイプを取得または設定します。
+ 要求データのコンテンツ タイプ。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 指定した URI スキーム用に新しい のインスタンスを初期化します。
+ 特定の URI スキーム用の 派生クラス。
+ インターネット リソースを識別する URI。
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ 指定した URI スキーム用に新しい のインスタンスを初期化します。
+ 指定した URI スキーム用の 派生クラス。
+ 要求されたリソースの URI を格納する 。
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ 指定した URI 文字列用に新しい インスタンスを初期化します。
+
+ を返します。指定した URI 文字列の インスタンス。
+ インターネット リソースを識別する URI 文字列。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 指定した URI 用に新しい インスタンスを初期化します。
+
+ を返します。指定した URI 文字列の インスタンス。
+ インターネット リソースを識別する URI。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースを使用して要求を認証するために使用されるネットワーク資格情報を取得または設定します。
+ 要求に関連付けられた認証資格情報を格納する 。既定値は、null です。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ グローバル HTTP プロキシを取得または設定します。
+
+ のインスタンスへのすべての呼び出しで使用される 。
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースにデータを書き込むための を返します。
+ データを書き込む 。
+ ストリームの保留中の要求を参照する 。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 派生クラスでオーバーライドされると、 を返します。
+ インターネット要求への応答を格納する 。
+ 応答に対する保留中の要求を参照する 。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースへのデータ書き込みの を非同期操作として返します。
+
+ を返します。非同期操作を表すタスク オブジェクト。
+
+
+ 派生クラスでオーバーライドされると、インターネット要求への応答を非同期操作として返します。
+
+ を返します。非同期操作を表すタスク オブジェクト。
+
+
+ 派生クラスでオーバーライドされると、要求に関連付けられたヘッダーの名前/値ペアのコレクションを取得または設定します。
+ 要求に関連付けられたヘッダーの名前/値ペアを格納する 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 派生クラスでオーバーライドされると、要求で使用するプロトコル メソッドを取得または設定します。
+ 要求で使用するプロトコル メソッド。
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースにアクセスするために使用するネットワーク プロキシを取得または設定します。
+ インターネット リソースにアクセスするために使用する 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 指定した URI 用の 派生クラスを登録します。
+ 登録が成功した場合は true。それ以外の場合は false。
+
+ 派生クラスが処理する完全な URI または URI プレフィックス。
+
+ が 派生クラスを作成するために呼び出す作成メソッド。
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ 派生クラスでオーバーライドされると、要求に関連付けられたインターネット リソースの URI を取得します。
+ 要求に関連付けられているリソースを表す 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 派生クラスでオーバーライドされる場合、 が要求と共に送信されるかどうかを制御する 値を取得または設定します。
+ 既定の資格情報を使用する場合は true。それ以外の場合は false。既定値は false です。
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ URI (Uniform Resource Identifier) からの応答を利用できるようにします。これは abstract クラスです。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ 派生クラスでオーバーライドされると、受信しているデータのコンテンツ長を取得または設定します。
+ インターネット リソースから返されるバイト数。
+ プロパティが派生クラスでオーバーライドされていないのに、そのプロパティの取得または設定が試行されました。
+
+
+
+
+
+ 派生クラスでオーバーライドされると、受信しているデータのコンテンツ タイプを取得または設定します。
+ 応答のコンテンツ タイプを格納する文字列。
+ プロパティが派生クラスでオーバーライドされていないのに、そのプロパティの取得または設定が試行されました。
+
+
+
+
+
+
+ オブジェクトによって使用されているアンマネージ リソースを解放します。
+
+
+
+ オブジェクトによって使用されているアンマネージ リソースを解放します。オプションとして、マネージ リソースを破棄することもできます。
+ マネージ リソースとアンマネージ リソースの両方を解放する場合は true。アンマネージ リソースだけを解放する場合は false。
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースからデータ ストリームを返します。
+ インターネット リソースからデータを読み取るための クラスのインスタンス。
+ メソッドが派生クラスでオーバーライドされていないのに、そのメソッドへのアクセスが試行されました。
+
+
+
+
+
+ 派生クラスでオーバーライドされると、この要求に関連付けられたヘッダーの名前と値のペアのコレクションを取得します。
+ この応答に関連付けられているヘッダーの値を格納している クラスのインスタンス。
+ プロパティが派生クラスでオーバーライドされていないのに、そのプロパティの取得または設定が試行されました。
+
+
+
+
+
+ 派生クラスでオーバーライドされると、要求に実際に応答したインターネット リソースの URI を取得します。
+ 要求に実際に応答したインターネット リソースの URI を格納する クラスのインスタンス。
+ プロパティが派生クラスでオーバーライドされていないのに、そのプロパティの取得または設定が試行されました。
+
+
+
+
+
+ ヘッダーがサポートされているかどうかを示す値を取得します。
+
+ を返します。ヘッダーがサポートされる場合は true。それ以外の場合は false。
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netcore50/ko/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netcore50/ko/System.Net.Requests.xml
new file mode 100644
index 0000000..7fd3462
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netcore50/ko/System.Net.Requests.xml
@@ -0,0 +1,556 @@
+
+
+
+ System.Net.Requests
+
+
+
+
+ 클래스의 HTTP 관련 구현을 제공합니다.
+
+
+ 인터넷 리소스에 대한 요청을 취소합니다.
+
+
+
+
+
+
+
+ Accept HTTP 헤더의 값을 가져오거나 설정합니다.
+ Accept HTTP 헤더의 값입니다.기본값은 null입니다.
+
+
+ 인터넷 리소스에서 받은 데이터를 버퍼링할지 여부를 나타내는 값을 가져오거나 설정합니다.
+ true인터넷 리소스에서 받은 버퍼에 그렇지 않은 경우 false.인터넷 리소스에서 받은 데이터를 버퍼링하려면 true이고, 버퍼링하지 않으려면 false입니다.기본값은 true입니다.
+
+
+ 데이터를 쓰는 데 사용할 개체에 대한 비동기 요청을 시작합니다.
+ 비동기 요청을 참조하는 입니다.
+
+ 대리자입니다.
+ 이 요청에 대한 상태 개체입니다.
+
+ 속성이 GET 또는 HEAD인 경우또는 가 true이고, 이 false이고, 가 -1이고, 가 false이고, 가 POST 또는 PUT인 경우
+ 스트림이 에 대한 이전 호출에서 사용되고 있는 경우또는 이 값으로 설정되고 가 false인 경우또는 스레드 풀의 스레드를 모두 사용한 경우
+ 요청 캐시 유효성 검사기에서 이 요청에 대한 응답이 캐시에서 제공될 수 있지만 데이터를 쓰는 요청의 경우 캐시를 사용하지 않아야 함을 나타내는 경우.이 예외는 제대로 구현되지 않은 사용자 지정 캐시 유효성 검사기를 사용하려는 경우에 발생할 수 있습니다.
+
+ 를 이미 호출한 경우
+ .NET Compact Framework 응용 프로그램에서 콘텐츠 길이가 0인 요청 스트림을 올바르게 가져오고 닫지 않은 경우.콘텐츠 길이가 0인 요청을 처리하는 방법에 대한 자세한 내용은 Network Programming in the .NET Compact Framework을 참조하십시오.
+
+
+
+
+
+
+
+
+
+
+ 인터넷 리소스에 대한 비동기 요청을 시작합니다.
+ 응답에 대한 비동기 요청을 참조하는 입니다.
+
+ 대리자
+ 이 요청에 대한 상태 개체입니다.
+ 스트림이 에 대한 이전 호출에서 사용되고 있는 경우또는 이 값으로 설정되고 가 false인 경우또는 스레드 풀의 스레드를 모두 사용한 경우
+
+ 가 GET 또는 HEAD이고, 가 0보다 크거나 가 true인 경우또는 가 true이고, 이 false이고, 가 -1이고, 가 false이고, 가 POST 또는 PUT인 경우또는 에는 엔터티 본문이 있지만 메서드는 메서드를 호출하지 않고 호출됩니다. 또는 는 0보다 크지만 응용 프로그램은 약속된 모든 데이터를 쓰지 않습니다.
+
+ 를 이미 호출한 경우
+
+
+
+
+
+
+
+
+
+
+ Content-type HTTP 헤더의 값을 가져오거나 설정합니다.
+ Content-type HTTP 헤더의 값입니다.기본값은 null입니다.
+
+
+ 서버에서 100-Continue가 수신될 때까지 기다릴 제한 시간(밀리초)을 가져오거나 설정합니다.
+ 100-Continue가 수신될 때까지 기다릴 제한 시간(밀리초)입니다.
+
+
+ 이 요청과 관련된 쿠키를 가져오거나 설정합니다.
+ 이 요청과 관련된 쿠키가 들어 있는 입니다.
+
+
+ 요청에 대한 인증 정보를 가져오거나 설정합니다.
+ 요청과 관련된 인증 자격 증명이 들어 있는 입니다.기본값은 null입니다.
+
+
+
+
+
+ 데이터를 쓰는 데 사용할 개체에 대한 비동기 요청을 끝냅니다.
+ 요청 데이터를 쓰는 데 사용할 입니다.
+ 스트림에 대한 보류 중인 요청입니다.
+
+ 가 null인 경우
+ 요청이 완료되지 않아서 스트림을 사용할 수 없는 경우
+ 현재 인스턴스에서 을 호출한 결과 가 반환되지 않은 경우
+ 이 메서드가 를 사용하여 이미 호출된 경우
+
+ 를 이미 호출한 경우또는 요청을 처리하는 동안 오류가 발생한 경우
+
+
+
+
+
+
+
+ 인터넷 리소스에 대한 비동기 요청을 종료합니다.
+ 인터넷 리소스로부터의 응답이 들어 있는 입니다.
+ 응답에 대해 보류된 요청입니다.
+
+ 가 null인 경우
+ 이 메서드가 를 사용하여 이미 호출되었습니다.또는 속성이 0보다 큰데 데이터를 요청 스트림에 쓰지 않은 경우
+
+ 를 이미 호출한 경우또는 요청을 처리하는 동안 오류가 발생한 경우
+
+ was not returned by the current instance from a call to .
+
+
+
+
+
+
+
+ 인터넷 리소스로부터 응답을 받았는지 여부를 나타내는 값을 가져옵니다.
+ 응답을 받았으면 true이고, 그렇지 않으면 false입니다.
+
+
+ HTTP 헤더를 구성하는 이름/값 쌍의 컬렉션을 지정합니다.
+ HTTP 요청의 헤더를 구성하는 이름/값 쌍이 들어 있는 입니다.
+
+ , , 또는 메서드를 호출하여 요청이 시작된 경우
+
+
+
+
+
+ 요청에 대한 메서드를 가져오거나 설정합니다.
+ 인터넷 리소스에 접속하는 데 사용할 요청 메서드입니다.기본값은 GET입니다.
+ 메서드를 지정하지 않은 경우또는 메서드 문자열에 잘못된 문자가 들어 있는 경우
+
+
+ 요청의 원래 URI(Uniform Resource Identifier)를 가져옵니다.
+
+ 메서드에 전달된 인터넷 리소스의 URI가 들어 있는 입니다.
+
+
+ 요청이 를 지원하는지 여부를 나타내는 값을 가져옵니다.
+ true요청에 대 한 지원을 제공 하는 경우는 ; 그렇지 않은 경우 false.가 지원되면 true이고, 그렇지 않으면 false입니다.
+
+
+ 기본 자격 증명을 요청과 함께 보내는지 여부를 제어하는 값을 가져오거나 설정합니다.
+ 기본 자격 증명이 사용되면 true이고, 그렇지 않으면 false입니다.기본값은 false입니다.
+ 요청을 보낸 후에 이 속성을 설정하려고 한 경우
+
+
+
+
+
+
+ 클래스의 HTTP 관련 구현을 제공합니다.
+
+
+ 요청이 반환하는 콘텐츠의 길이를 가져옵니다.
+ 요청이 반환한 바이트 수입니다.콘텐츠 길이에는 헤더 정보가 포함되지 않습니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 응답의 콘텐츠 형식을 가져옵니다.
+ 응답의 콘텐츠 형식이 들어 있는 문자열입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 이 응답과 관련된 쿠키를 가져오거나 설정합니다.
+ 이 응답과 관련된 쿠키가 들어 있는 입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+
+ 에서 사용하는 관리되지 않는 리소스를 해제하고, 관리되는 리소스를 선택적으로 삭제할 수 있습니다.
+ 관리되는 리소스와 관리되지 않는 리소스를 모두 해제하려면 true, 관리되지 않는 리소스만 해제하려면 false입니다.
+
+
+ 서버에서 응답 본문을 읽는 데 사용되는 스트림을 가져옵니다.
+ 응답 본문을 포함하는 입니다.
+ 응답 스트림이 없는 경우
+ 현재 인스턴스가 삭제된 경우
+
+
+
+
+
+
+
+ 서버에서 이 응답과 관련된 헤더를 가져옵니다.
+ 응답과 함께 반환되는 헤더 정보를 포함하는 입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 응답을 반환하는 데 사용되는 메서드를 가져옵니다.
+ 응답을 반환하는 데 사용되는 HTTP 메서드를 포함하는 문자열입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 요청에 응답한 인터넷 리소스의 URI를 가져옵니다.
+ 요청에 응답한 인터넷 리소스의 URI를 포함하는 입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 응답 상태를 가져옵니다.
+
+ 값 중 하나입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 응답과 함께 반환되는 상태 설명을 가져옵니다.
+ 응답의 상태를 설명하는 문자열입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 헤더가 지원되는지 여부를 나타내는 값을 가져옵니다.
+
+ 를 반환합니다.헤더가 지원되면 true이고, 지원되지 않으면 false입니다.
+
+
+
+ 인스턴스를 만들기 위해 기본 인터페이스를 제공합니다.
+
+
+
+ 인스턴스를 만듭니다.
+
+ 인스턴스입니다.
+ 웹 리소스의 URI(Uniform Resource Identifier)입니다.
+
+ 에 지정된 요청 체계가 이 인스턴스에서 지원되지 않습니다.
+
+ 가 null입니다.
+ Windows 스토어 앱용 .NET 또는 이식 가능한 클래스 라이브러리에서 대신 기본 클래스 예외 를 catch합니다.에 지정된 URI가 유효하지 않은 경우
+
+
+ 네트워크 프로토콜을 사용하는 동안 오류가 발생하면 throw되는 예외입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 지정된 메시지를 사용하여 클래스의 새 인스턴스를 초기화합니다.
+ 오류 메시지 문자열입니다.
+
+
+ 플러그형 프로토콜로 네트워크에 액세스하는 동안 오류가 발생하면 throw되는 예외입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 지정된 오류 메시지를 사용하여 클래스의 새 인스턴스를 초기화합니다.
+ 오류 메시지 텍스트입니다.
+
+
+ 지정된 오류 메시지와 중첩된 예외를 사용하여 클래스의 새 인스턴스를 초기화합니다.
+ 오류 메시지 텍스트입니다.
+ 중첩된 예외입니다.
+
+
+ 지정된 오류 메시지, 중첩된 예외, 상태 및 응답을 사용하여 클래스의 새 인스턴스를 초기화합니다.
+ 오류 메시지 텍스트입니다.
+ 중첩된 예외입니다.
+
+ 값 중 하나입니다.
+ 원격 호스트에서 보낸 응답이 들어 있는 인스턴스입니다.
+
+
+ 지정된 오류 메시지와 상태를 사용하여 클래스의 새 인스턴스를 초기화합니다.
+ 오류 메시지 텍스트입니다.
+
+ 값 중 하나입니다.
+
+
+ 원격 호스트에서 반환된 응답을 가져옵니다.
+ 인터넷 리소스에서 응답을 가져올 수 있으면 인터넷 리소스의 오류 응답이 포함된 인스턴스이고, 그렇지 않으면 null입니다.
+
+
+ 응답 상태를 가져옵니다.
+
+ 값 중 하나입니다.
+
+
+
+ 클래스에 대한 상태 코드를 정의합니다.
+
+
+ 전송 수준에서 원격 서비스 지점에 접속할 수 없습니다.
+
+
+ 서버에 요청을 보내거나 서버에서 응답을 받을 때 지정된 제한 시간을 초과했다는 메시지를 받았습니다.
+
+
+ 내부 비동기 요청이 보류 중입니다.
+
+
+ 요청이 취소되었거나, 메서드가 호출되었거나, 알 수 없는 오류가 발생했습니다.의 기본값입니다.
+
+
+ 원격 서버에 전체 요청을 보낼 수 없습니다.
+
+
+ 오류가 발생하지 않았습니다.
+
+
+ 알 수 없는 유형의 예외가 발생했습니다.
+
+
+ URI(Uniform Resource Identifier)에 대한 요청을 만듭니다.이 클래스는 abstract 클래스입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 요청을 중단합니다.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ 서브클래스에서 재정의될 때, 메서드의 비동기 버전을 제공합니다.
+ 비동기 요청을 참조하는 입니다.
+
+ 대리자입니다.
+ 이 비동기 요청에 대한 상태 정보가 들어 있는 개체입니다.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 하위 항목 클래스에서 재정의될 때, 인터넷 리소스에 대한 비동기 요청을 시작합니다.
+ 비동기 요청을 참조하는 입니다.
+
+ 대리자입니다.
+ 이 비동기 요청에 대한 상태 정보가 들어 있는 개체입니다.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 하위 항목 클래스에서 재정의될 때, 전송 중인 요청 데이터의 콘텐츠 형식을 가져오거나 설정합니다.
+ 요청 데이터의 콘텐츠 형식입니다.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 지정된 URI 체계에 대한 새 인스턴스를 초기화합니다.
+ 특정 URI 체계에 대한 하위 항목입니다.
+ 인터넷 리소스를 식별하는 URI입니다.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ 지정된 URI 체계에 대한 새 인스턴스를 초기화합니다.
+ 지정된 URI 체계에 대한 하위 항목입니다.
+ 요청된 리소스의 URI가 포함된 입니다.
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ 지정된 URI 문자열에 대한 새 인스턴스를 초기화합니다.
+
+ 를 반환합니다.지정된 URI 문자열에 대한 인스턴스입니다.
+ 인터넷 리소스를 식별하는 URI 문자열입니다.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 지정된 URI에 대한 새 인스턴스를 초기화합니다.
+
+ 를 반환합니다.지정된 URI 문자열에 대한 인스턴스입니다.
+ 인터넷 리소스를 식별하는 URI입니다.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 하위 항목 클래스에서 재정의될 때, 인터넷 리소스를 사용하여 요청을 인증하는 데 사용되는 네트워크 자격 증명을 가져오거나 설정합니다.
+ 요청과 연결된 인증 자격 증명이 들어 있는 입니다.기본값은 null입니다.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 글로벌 HTTP 프록시를 가져오거나 설정합니다.
+
+ 의 인스턴스를 호출할 때마다 사용되는 입니다.
+
+
+ 서브클래스에서 재정의될 때, 인터넷 리소스에 데이터를 쓰기 위해 을 반환합니다.
+ 데이터를 쓸 입니다.
+ 스트림에 대한 보류 요청을 참조하는 입니다.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 파생 클래스에서 재정의될 때, 를 반환합니다.
+ 인터넷 요청에 대한 응답을 포함하는 입니다.
+ 응답에 대한 보류 요청을 참조하는 입니다.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 서브클래스에서 재정의될 때, 인터넷 리소스에 비동기 작업으로 데이터를 쓰기 위해 을 반환합니다.
+
+ 를 반환합니다.비동기 작업(operation)을 나타내는 작업(task) 개체입니다.
+
+
+ 하위 항목 클래스에 재정의될 때, 인터넷 요청에 대한 응답을 비동기 작업으로 반환합니다.
+
+ 를 반환합니다.비동기 작업(operation)을 나타내는 작업(task) 개체입니다.
+
+
+ 하위 항목 클래스에서 재정의될 때, 요청과 연결된 헤더 이름/값 쌍의 컬렉션을 가져오거나 설정합니다.
+ 요청과 연결된 헤더 이름/값 쌍이 들어 있는 입니다.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 하위 항목 클래스에서 재정의될 때, 이 요청에서 사용할 프로토콜 메서드를 가져오거나 설정합니다.
+ 이 요청에서 사용할 프로토콜 메서드입니다.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ 하위 항목 클래스에서 재정의될 때, 이 인터넷 리소스에 액세스하기 위해 사용할 네트워크 프록시를 가져오거나 설정합니다.
+ 인터넷 리소스에 액세스하기 위해 사용할 입니다.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 지정된 URI에 대한 하위 항목을 등록합니다.
+ 등록이 성공하면 true이고, 그렇지 않으면 false입니다.
+
+ 하위 항목이 서비스하는 완전한 URI나 URI 접두사입니다.
+
+ 하위 항목을 만들기 위해 가 호출하는 생성 메서드입니다.
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ 하위 항목 클래스에서 재정의될 때, 요청과 연결된 인터넷 리소스의 URI를 가져옵니다.
+ 요청과 연결된 리소스를 나타내는 입니다.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 서브클래스에서 재정의된 경우 를 요청과 함께 보낼지 여부를 제어하는 값을 가져오거나 설정합니다.
+ 기본 자격 증명이 사용되면 true이고, 그렇지 않으면 false입니다.기본값은 false입니다.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ URI(Uniform Resource Identifier)에서 응답을 제공합니다.이 클래스는 abstract 클래스입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 서브클래스에서 재정의되는 경우 수신 중인 데이터의 콘텐츠 길이를 가져오거나 설정합니다.
+ 인터넷 리소스에서 반환된 바이트 수입니다.
+ 속성이 서브클래스에서 재정의되지 않았는데 속성을 가져오거나 설정하려 할 경우
+
+
+
+
+
+ 파생 클래스에서 재정의되는 경우 수신 중인 데이터의 콘텐츠 형식을 가져오거나 설정합니다.
+ 응답의 콘텐츠 형식이 들어 있는 문자열입니다.
+ 속성이 서브클래스에서 재정의되지 않았는데 속성을 가져오거나 설정하려 할 경우
+
+
+
+
+
+
+ 개체에서 사용하는 관리되지 않는 리소스를 해제합니다.
+
+
+
+ 개체에서 사용하는 관리되지 않는 리소스를 해제하고 관리되는 리소스를 선택적으로 삭제할 수 있습니다.
+ 관리되는 리소스와 관리되지 않는 리소스를 모두 해제하려면 true, 관리되지 않는 리소스만 해제하려면 false입니다.
+
+
+ 서브클래스에서 재정의되는 경우 인터넷 리소스에서 데이터 스트림을 반환합니다.
+ 인터넷 리소스에서 데이터를 읽기 위한 클래스의 인스턴스입니다.
+ 메서드가 서브클래스에서 재정의되지 않았는데 메서드에 액세스하려 할 경우
+
+
+
+
+
+ 파생 클래스에서 재정의되는 경우 요청과 연결된 헤더 이름/값 쌍의 컬렉션을 가져옵니다.
+ 이 응답과 관련된 헤더 값을 포함하는 클래스의 인스턴스입니다.
+ 속성이 서브클래스에서 재정의되지 않았는데 속성을 가져오거나 설정하려 할 경우
+
+
+
+
+
+ 파생 클래스에서 재정의되는 경우 요청에 실제로 응답하는 인터넷 리소스의 URI를 가져옵니다.
+ 요청에 실제로 응답하는 인터넷 리소스의 URI가 들어 있는 클래스의 인스턴스입니다.
+ 속성이 서브클래스에서 재정의되지 않았는데 속성을 가져오거나 설정하려 할 경우
+
+
+
+
+
+ 헤더가 지원되는지 여부를 나타내는 값을 가져옵니다.
+
+ 를 반환합니다.헤더가 지원되면 true이고, 지원되지 않으면 false입니다.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netcore50/ru/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netcore50/ru/System.Net.Requests.xml
new file mode 100644
index 0000000..bbf5c3b
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netcore50/ru/System.Net.Requests.xml
@@ -0,0 +1,515 @@
+
+
+
+ System.Net.Requests
+
+
+
+ Предоставляет ориентированную на HTTP-протокол реализацию класса .
+
+
+ Отменяет запрос к интернет-ресурсу.
+
+
+
+
+
+
+
+ Получает или задает значение HTTP-заголовка Accept.
+ Значение HTTP-заголовка Accept.Значение по умолчанию — null.
+
+
+ Возвращает или задает значение, которое указывает, будет ли выполняться буферизация данных, полученных от интернет-ресурса.
+ trueбуфер, полученных из Интернет-ресурса; в противном случае — false.Значение true устанавливается для включения буферизации данных, получаемых от интернет-ресурса; значение false — для выключения буферизации.Значение по умолчанию — true.
+
+
+ Начинает асинхронный запрос объекта , используемого для записи данных.
+ Класс , ссылающийся на асинхронный запрос.
+ Делегат .
+ Объект состояния для данного запроса.
+ Значение свойства — GET или HEAD.-или- Значение — true, значение — false, значение — -1, значение — false и значение — POST или PUT.
+ Поток занят предыдущим вызовом -или- Для устанавливается значение, а значение равно false.-или- В пуле потоков заканчиваются потоки.
+ Проверяющий элемент управления кэша запросов указывает, что ответ на этот запрос может быть предоставлен из кэша, однако запросы, записывающие данные, не должны использовать кэш.Это исключение может возникнуть при использовании пользовательского проверяющего элемента управления кэша, который неправильно реализован.
+ Метод был вызван ранее.
+ В приложении .NET Compact Framework поток запроса с длиной содержимого, равной нулю, не был получен и закрыт допустимым образом.Дополнительные сведения об обработке запросов с нулевой длиной содержимого см. в разделе Network Programming in the .NET Compact Framework.
+
+
+
+
+
+
+
+
+
+
+ Начинает асинхронный запрос интернет-ресурса.
+ Объект , ссылающийся на асинхронный запрос ответа.
+ Делегат
+ Объект состояния для данного запроса.
+ Поток уже занят предыдущим вызовом -или- Для устанавливается значение, а значение равно false.-или- В пуле потоков заканчиваются потоки.
+ Значение — GET или HEAD, кроме того или больше нуля, или равно true.-или- Значение — true, значение — false и одно из следующих: значение — -1, значение — false и значение — POST или PUT.-или- имеет тело сущности, но метод вызывается без вызова метода . -или- Значение свойства больше нуля, однако приложение не записывает все обещанные данные.
+ Метод был вызван ранее.
+
+
+
+
+
+
+
+
+
+
+ Получает или задает значение HTTP-заголовка Content-type.
+ Значение HTTP-заголовка Content-type.Значение по умолчанию — null.
+
+
+ Получает или задает время ожидания в миллисекундах до получения ответа 100-Continue с сервера.
+ Время ожидания в миллисекундах до получения ответа 100-Continue.
+
+
+ Возвращает или задает файлы cookie, связанные с запросом.
+ Контейнер , в котором содержатся файлы cookie, связанные с этим запросом.
+
+
+ Возвращает или задает сведения о проверке подлинности для этого запроса.
+ Класс , содержащий учетные данные для проверки подлинности, связанные с этим запросом.Значение по умолчанию — null.
+
+
+
+
+
+ Завершает асинхронный запрос объекта , используемого для записи данных.
+ Объект , используемый для записи данных запроса.
+ Незавершенный запрос потока.
+
+ is null.
+ Запрос не завершен и в наличии нет потока.
+ Параметр не был возвращен текущим экземпляром из вызова .
+ Этот метод был вызван ранее с помощью параметра .
+ Метод был вызван ранее.-или- Произошла ошибка при обработке запроса.
+
+
+
+
+
+
+
+ Завершает асинхронный запрос интернет-ресурса.
+ Объект , содержащий ответ от интернет-ресурса.
+ Незавершенный запрос ответа.
+
+ is null.
+ Этот метод был вызван ранее с помощью параметра -или- Значение свойства больше 0, но данные не были записаны в поток запроса.
+ Метод был вызван ранее.-или- Произошла ошибка при обработке запроса.
+ Параметр не был возвращен текущим экземпляром из вызова .
+
+
+
+
+
+
+
+ Возвращает значение, показывающее, был ли получен ответ от интернет-ресурса.
+ Значение true, если ответ получен, в противном случае — значение false.
+
+
+ Указывает коллекцию пар "имя-значение", из которых создаются заголовки HTTP.
+ Коллекция , содержащая пары "имя-значение", из которых состоят HTTP-заголовки.
+ Запрос начат посредством вызова метода , , или .
+
+
+
+
+
+ Возвращает или задает метод для запроса.
+ Метод запроса, используемый для связи с интернет-ресурсом.Значение по умолчанию — GET.
+ Метод не предоставляется.-или- Строка метода содержит недопустимые знаки.
+
+
+ Возвращает исходный код URI запроса.
+ Объект , который содержит код URI интернет-ресурса, переданный в метод .
+
+
+ Получает значение, которое указывает, поддерживает ли запрос .
+ trueЕсли запрос обеспечивает поддержку для ; в противном случае — false.true, если поддерживается, в противном случае — false.
+
+
+ Получает или задает значение , которое управляет отправкой учетных данных по умолчанию вместе с запросами.
+ Значение равно true, если используются учетные данные по умолчанию, в противном случае — false.Значение по умолчанию — false.
+ Произведена попытка установки этого свойства после отправки запроса.
+
+
+
+
+
+ Предоставляет связанную с HTTP реализацию класса .
+
+
+ Возвращает длину содержимого, возвращаемого запросом.
+ Количество байт, возвращаемых запросом.В длине содержимого не учитываются сведения заголовков.
+ Текущий экземпляр был удален.
+
+
+ Возвращает тип содержимого ответа.
+ Строка, содержащая тип содержимого ответа.
+ Текущий экземпляр был удален.
+
+
+ Возвращает или задает файлы cookie, связанные с этим ответом.
+ Коллекция , в которой содержатся файлы cookie, связанные с этим ответом.
+ Текущий экземпляр был удален.
+
+
+ Освобождает неуправляемые ресурсы, используемые объектом , и при необходимости освобождает также управляемые ресурсы.
+ Значение true для освобождения управляемых и неуправляемых ресурсов; значение false для освобождения только неуправляемых ресурсов.
+
+
+ Возвращает поток, используемый для чтения основного текста ответа с сервера.
+ Объект , содержащий основной текст ответа.
+ Поток ответа отсутствует.
+ Текущий экземпляр был удален.
+
+
+
+
+
+
+
+ Получает с сервера заголовки, связанные с данным ответом.
+ Свойство , содержащее сведения заголовков, возвращаемых с ответом.
+ Текущий экземпляр был удален.
+
+
+ Возвращает метод, используемый для возврата ответа.
+ Строка, содержащая метод HTTP, используемый для возврата ответа.
+ Текущий экземпляр был удален.
+
+
+ Возвращает URI Интернет-ресурса, ответившего на запрос.
+ Объект , который содержит URI Интернет-ресурса, ответившего на запрос.
+ Текущий экземпляр был удален.
+
+
+ Возвращает состояние ответа.
+ Одно из значений .
+ Текущий экземпляр был удален.
+
+
+ Получает описание состояния, возвращаемого с ответом.
+ Строка, описывающая состояние ответа.
+ Текущий экземпляр был удален.
+
+
+ Возвращает значение, указывающее, поддерживаются ли заголовки.
+ Возвращает .Значение true, если заголовки поддерживаются; в противном случае — значение false.
+
+
+ Предоставляет основной интерфейс для создания экземпляров класса .
+
+
+ Создает экземпляр класса .
+ Экземпляр .
+ URI веб-ресурса.
+ Схема запроса, заданная параметром , не поддерживается этим экземпляром .
+ Параметр имеет значение null.
+ В .NET для приложений Магазина Windows или переносимой библиотеке классов вместо этого перехватите исключение базового класса .URI, заданный в , не является допустимым URI.
+
+
+ Исключение, создаваемое при возникновении ошибки во время использования сетевого протокола.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализирует новый экземпляр класса , используя заданное сообщение.
+ Строка сообщения об ошибке.
+
+
+ Исключение создается при появлении ошибки во время доступа к сети через подключаемый протокол.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализирует новый экземпляр класса указанным сообщением об ошибке.
+ Текст сообщения об ошибке.
+
+
+ Инициализирует новый экземпляр класса с указанным сообщением об ошибке и вложенным исключением.
+ Текст сообщения об ошибке.
+ Вложенное исключение.
+
+
+ Инициализирует новый экземпляр класса с указанным сообщением об ошибке, вложенным исключением, статусом и ответом.
+ Текст сообщения об ошибке.
+ Вложенное исключение.
+ Одно из значений .
+ Экземпляр , содержащий ответ от удаленного узла в сети.
+
+
+ Инициализирует новый экземпляр класса с указанным сообщением об ошибке и статусом.
+ Текст сообщения об ошибке.
+ Одно из значений .
+
+
+ Получает ответ, возвращенный удаленным узлом.
+ Если ответ доступен из интернет-ресурсов, экземпляр , содержащий отклик из интернет-ресурса, в противном случае — null.
+
+
+ Возвращает состояние ответа.
+ Одно из значений .
+
+
+ Определяет коды состояния для класса .
+
+
+ С точкой удаленной службы нельзя связаться на транспортном уровне.
+
+
+ Принято сообщение о превышении заданного ограничения при передаче запроса или приеме ответа сервера.
+
+
+ Внутренний асинхронный запрос находится в очереди.
+
+
+ Запрос был отменен, был вызван метод или возникла ошибка, не поддающаяся классификации.Это значение по умолчанию для свойства .
+
+
+ Полный запрос не был передан на удаленный сервер.
+
+
+ Ошибок не было.
+
+
+ Возникло исключение неизвестного типа.
+
+
+ Выполняет запрос к универсальному коду ресурса (URI).Этот класс является абстрактным abstract.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Отменяет запрос
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ Если переопределено во вложенном классе, предоставляет асинхронную версию метода .
+ Класс , ссылающийся на асинхронный запрос.
+ Делегат .
+ Объект, содержащий сведения о состоянии для данного асинхронного запроса.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Если переопределено во вложенном классе, начинает асинхронный запрос интернет-ресурса.
+ Класс , ссылающийся на асинхронный запрос.
+ Делегат .
+ Объект, содержащий сведения о состоянии для данного асинхронного запроса.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Если переопределено во вложенном классе, возвращает или задает длину содержимого запрошенных к передаче данных.
+ Тип содержимого запрошенных данных.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Инициализирует новый экземпляр для заданной схемы URI.
+ Потомок для определенной схемы URI.
+ Универсальный код ресурса (URI), определяющий интернет-ресурс.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ Инициализирует новый экземпляр для заданной схемы URI.
+ Потомок для указанной схемы URI.
+ Объект , содержащий универсальный код запрашиваемого ресурса (URI).
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ Инициализирует новый экземпляр для заданной строки URI.
+ Возвращает .Экземпляр для заданной строки URI.
+ Строка URI, определяющая интернет-ресурс.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Инициализирует новый экземпляр для заданного URI.
+ Возвращает .Экземпляр для заданной строки URI.
+ Идентификатор URI, определяющий интернет-ресурс.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Если переопределено во вложенном классе, возвращает или задает сетевые учетные данные, используемые для проверки подлинности запроса на интернет-ресурсе.
+ Объект , содержащий учетные записи проверки подлинности, связанные с запросом.Значение по умолчанию — null.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Возвращает или устанавливает глобальный прокси-сервер HTTP.
+ Объект используется в каждом вызове экземпляра .
+
+
+ Если переопределено в производном классе, возвращает для записи данных в этот интернет-ресурс.
+ Объект , в который записываются данные.
+ Объект , ссылающийся на отложенный запрос для потока.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Если переопределено в производном классе, возвращает .
+ Объект , содержащий ответ на интернет-запрос.
+ Объект , ссылающийся на отложенный запрос ответа.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Если переопределено во вложенном классе, возвращает для записи данных в интернет-ресурс в ходе асинхронной операции.
+ Возвращает .Объект задачи, представляющий асинхронную операцию.
+
+
+ Если переопределено во вложенном классе, возвращает ответ на интернет-запрос в ходе асинхронной операции.
+ Возвращает .Объект задачи, представляющий асинхронную операцию.
+
+
+ Если переопределено во вложенном классе, возвращает или задает коллекцию связанных с данным запросом пар "имя — значение" для заголовка.
+ Коллекция , содержащая пары "имя-значение" заголовков, связанных с данным запросом.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Если переопределено во вложенном классе, возвращает или задает метод протокола для использования в данном запросе.
+ Метод протокола для использования в данном запросе.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ Если переопределено во вложенном классе, возвращает или задает сетевой прокси-сервер, используемый для доступа к данному интернет-ресурсу.
+ Объект для доступа к данному интернет-ресурсу.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Регистрирует потомок для заданной схемы URI.
+ Значение true, если регистрация выполнена; в противном случае — значение false.
+ Полный URI или префикс URI, обслуживаемый потомком .
+ Метод, вызываемый для создания потомка .
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ Если переопределено во вложенном классе, возвращает URI интернет-ресурса, связанного с данным запросом.
+ Объект , предоставляющий ресурс, связанный с данным запросом.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Если переопределено во вложенном классе, возвращает или задает значение , с помощью которого определяется, следует ли отправлять учетные данные вместе с запросами.
+ Значение true, если используются учетные данные по умолчанию; в противном случае — значение false.Значение по умолчанию — false.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Предоставляет ответ с URI.Этот класс является абстрактным abstract.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ При переопределении во вложенном классе возвращает или задает длину содержимого принимаемых данных.
+ Число байтов, возвращенных из Интернет-ресурса.
+ Если свойство не переопределено во вложенном классе, делаются все возможные попытки получить или задать его.
+
+
+
+
+
+ При переопределении производного класса возвращает или задает тип содержимого принимаемых данных.
+ Строка, содержащая тип содержимого ответа.
+ Если свойство не переопределено во вложенном классе, делаются все возможные попытки получить или задать его.
+
+
+
+
+
+ Высвобождает неуправляемые ресурсы, используемые в объекте .
+
+
+ Освобождает неуправляемые ресурсы, используемые объектом , и опционально — управляемые ресурсы.
+ Значение true для освобождения управляемых и неуправляемых ресурсов; значение false для освобождения только неуправляемых ресурсов.
+
+
+ При переопределении во вложенном классе возвращает поток данных из этого Интернет-ресурса.
+ Экземпляр класса для чтения данных из Интернет-ресурса.
+ Если метод не переопределен во вложенном классе, делаются все возможные попытки получить к нему доступ.
+
+
+
+
+
+ При переопределении в производном классе возвращает коллекцию пар "имя-значение" для заголовка, связанную с данным запросом.
+ Экземпляр класса , содержащий значения заголовка, связанные с данным ответом.
+ Если свойство не переопределено во вложенном классе, делаются все возможные попытки получить или задать его.
+
+
+
+
+
+ При переопределении в производном классе возвращает URI Интернет-ресурса, который ответил на данный запрос.
+ Экземпляр класса , содержащий URI Интернет-ресурса, который ответил на данный запрос.
+ Если свойство не переопределено во вложенном классе, делаются все возможные попытки получить или задать его.
+
+
+
+
+
+ Возвращает значение, указывающее, поддерживаются ли заголовки.
+ Возвращает .Значение true, если заголовки поддерживаются; в противном случае — значение false.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netcore50/zh-hans/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netcore50/zh-hans/System.Net.Requests.xml
new file mode 100644
index 0000000..939810d
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netcore50/zh-hans/System.Net.Requests.xml
@@ -0,0 +1,535 @@
+
+
+
+ System.Net.Requests
+
+
+
+ 提供 类的 HTTP 特定的实现。
+
+
+ 取消对 Internet 资源的请求。
+
+
+
+
+
+
+
+ 获取或设置 Accept HTTP 标头的值。
+ Accept HTTP 标头的值。默认值为 null。
+
+
+ 获取或设置一个值,该值指示是否对从 Internet 资源接收的数据进行缓冲处理。
+ true要缓冲接收到来自 Internet 资源 ;否则为false。true 允许对从 Internet 资源接收的数据进行缓冲处理,false 禁用缓冲处理。默认值为 true。
+
+
+ 开始对用来写入数据的 对象的异步请求。
+ 引用该异步请求的 。
+
+ 委托。
+ 此请求的状态对象。
+
+ 属性为 GET 或 HEAD。- 或 - 为 true, 为 false, 为 -1, 为 false, 为 POST 或 PUT。
+ 流正由上一个 调用使用。- 或 - 被设置为一个值,并且 为 false。- 或 -线程池中的线程即将用完。
+ 请求缓存验证程序指示对此请求的响应可从缓存中提供;但是写入数据的请求不得使用缓存。如果您正在使用错误实现的自定义缓存验证程序,则会发生此异常。
+
+ 以前被调用过。
+ 在 .NET Compact Framework 应用程序中,未正确获得和关闭一个内容长度为零的请求流。有关处理内容长度为零的请求的更多信息,请参见 Network Programming in the .NET Compact Framework。
+
+
+
+
+
+
+
+
+
+
+ 开始对 Internet 资源的异步请求。
+ 引用对响应的异步请求的 。
+
+ 委托
+ 此请求的状态对象。
+ 流正由上一个 调用使用- 或 - 被设置为一个值,并且 为 false。- 或 -线程池中的线程即将用完。
+
+ 为 GET 或 HEAD,且 大于零或 为 true。- 或 - 为 true, 为 false,同时 为 -1, 为 false,或者 为 POST 或 PUT。- 或 -该 具有实体,但不用调用 方法调用 方法。- 或 - 大于零,但应用程序不会写入所有承诺的数据。
+
+ 以前被调用过。
+
+
+
+
+
+
+
+
+
+
+ 获取或设置 Content-type HTTP 标头的值。
+ Content-type HTTP 标头的值。默认值为 null。
+
+
+ 获取或设置在接收到来自服务器的 100 次连续响应之前要等待的超时(以毫秒为单位)。
+ 在接收到 100-Continue 之前要等待的超时(以毫秒为单位)。
+
+
+ 获取或设置与此请求关联的 Cookie。
+ 包含与此请求关联的 Cookie 的 。
+
+
+ 获取或设置请求的身份验证信息。
+ 包含与该请求关联的身份验证凭据的 。默认值为 null。
+
+
+
+
+
+ 结束对用于写入数据的 对象的异步请求。
+ 用来写入请求数据的 。
+ 对流的挂起请求。
+
+ 为 null。
+ 请求未完成,没有可用的流。
+ 当前实例没有从 调用返回 。
+ 以前使用 调用过此方法。
+
+ 以前被调用过。- 或 -处理请求时发生错误。
+
+
+
+
+
+
+
+ 结束对 Internet 资源的异步请求。
+ 包含来自 Internet 资源的响应的 。
+ 挂起的对响应的请求。
+
+ 为 null。
+ 以前使用 调用过此方法。- 或 - 属性大于 0,但是数据尚未写入请求流。
+
+ 以前被调用过。- 或 -处理请求时发生错误。
+
+ was not returned by the current instance from a call to .
+
+
+
+
+
+
+
+ 获取一个值,该值指示是否收到了来自 Internet 资源的响应。
+ 如果接收到了响应,则为 true,否则为 false。
+
+
+ 指定构成 HTTP 标头的名称/值对的集合。
+ 包含构成 HTTP 请求标头的名称/值对的 。
+ 已通过调用 、、 或 方法启动了该请求。
+
+
+
+
+
+ 获取或设置请求的方法。
+ 用于联系 Internet 资源的请求方法。默认值为 GET。
+ 未提供任何方法。- 或 -方法字符串包含无效字符。
+
+
+ 获取请求的原始统一资源标识符 (URI)。
+ 一个 ,其中包含传递给 方法的 Internet 资源的 URI。
+
+
+ 获取一个值,该值指示请求是否为 提供支持。
+ true如果请求提供了对支持;否则为false。如果支持 ,则为 true;否则为 false。
+
+
+ 获取或设置一个 值,该值控制默认凭据是否随请求一起发送。
+ 如果使用默认凭据,则为 true;否则为 false。默认值为 false。
+ 您尝试在该请求发送之后设置此属性。
+
+
+
+
+
+ 提供 类的 HTTP 特定的实现。
+
+
+ 获取请求返回的内容的长度。
+ 由请求所返回的字节数。内容长度不包括标头信息。
+ 已释放当前的实例。
+
+
+ 获取响应的内容类型。
+ 包含响应的内容类型的字符串。
+ 已释放当前的实例。
+
+
+ 获取或设置与此响应关联的 Cookie。
+
+ ,包含与此响应关联的 Cookie。
+ 已释放当前的实例。
+
+
+ 释放由 使用的非托管资源,并可根据需要释放托管资源。
+ 如果释放托管资源和非托管资源,则为 true;如果仅释放非托管资源,则为 false。
+
+
+ 获取流,该流用于读取来自服务器的响应的体。
+ 一个 ,包含响应的体。
+ 没有响应流。
+ 已释放当前的实例。
+
+
+
+
+
+
+
+ 获取来自服务器的与此响应关联的标头。
+ 一个 ,包含与响应一起返回的标头信息。
+ 已释放当前的实例。
+
+
+ 获取用于返回响应的方法。
+ 一个字符串,包含用于返回响应的 HTTP 方法。
+ 已释放当前的实例。
+
+
+ 获取响应请求的 Internet 资源的 URI。
+ 一个 ,包含响应请求的 Internet 资源的 URI。
+ 已释放当前的实例。
+
+
+ 获取响应的状态。
+
+ 值之一。
+ 已释放当前的实例。
+
+
+ 获取与响应一起返回的状态说明。
+ 一个字符串,描述响应的状态。
+ 已释放当前的实例。
+
+
+ 获取指示是否支持标题的值。
+ 返回 。如果标题受支持,则为 true;否则为 false。
+
+
+ 提供用于创建 实例的基接口。
+
+
+ 创建一个 实例。
+ 一个 实例。
+ Web 资源的统一资源标识符 (URI)。
+ 此 实例不支持在 中指定的请求方案。
+
+ 为 null。
+ 在 .NET for Windows Store 应用程序 或 可移植类库 中,请改为捕获基类异常 。 中指定的 URI 不是有效的 URI。
+
+
+ 使用网络协议期间出错时引发的异常。
+
+
+ 初始化 类的新实例。
+
+
+ 用指定消息初始化 类的新实例。
+ 错误消息字符串。
+
+
+ 通过可插接协议访问网络期间出错时引发的异常。
+
+
+ 初始化 类的新实例。
+
+
+ 使用指定的错误消息初始化 类的新实例。
+ 错误消息的文本。
+
+
+ 用指定的错误信息和嵌套异常初始化 类的新实例。
+ 错误消息的文本。
+ 嵌套异常。
+
+
+ 用指定的错误信息、嵌套异常、状态和响应初始化 类的新实例。
+ 错误消息的文本。
+ 嵌套异常。
+
+ 值之一。
+ 包含来自远程主机的响应的 实例。
+
+
+ 用指定的错误信息和状态初始化 类的新实例。
+ 错误消息的文本。
+
+ 值之一。
+
+
+ 获取远程主机返回的响应。
+ 如果可从 Internet 资源获得响应,则为包含来自 Internet 资源的错误响应的 实例;否则为 null。
+
+
+ 获取响应的状态。
+
+ 值之一。
+
+
+ 为 类定义状态代码。
+
+
+ 未能在传输级联系到远程服务点。
+
+
+ 当发送请求或从服务器接收响应时,会接收到超出指定限制的消息。
+
+
+ 内部异步请求挂起。
+
+
+ 请求被取消, 方法被调用,或者发生了不可分类的错误。这是 的默认值。
+
+
+ 未能将完整请求发送到远程服务器。
+
+
+ 未遇到任何错误。
+
+
+ 发生未知类型的异常。
+
+
+ 对统一资源标识符 (URI) 发出请求。这是一个 abstract 类。
+
+
+ 初始化 类的新实例。
+
+
+ 中止请求
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ 当在子类中重写时,提供 方法的异步版本。
+ 引用该异步请求的 。
+
+ 委托。
+ 包含此异步请求的状态信息的对象。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 当在子类中被重写时,开始对 Internet 资源的异步请求。
+ 引用该异步请求的 。
+
+ 委托。
+ 包含此异步请求的状态信息的对象。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 当在子类中被重写时,获取或设置所发送的请求数据的内容类型。
+ 请求数据的内容类型。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 为指定的 URI 方案初始化新的 实例。
+ 特定 URI 方案的 子代。
+ 标识 Internet 资源的 URI。
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ 为指定的 URI 方案初始化新的 实例。
+ 指定的 URI 方案的 子代。
+ 包含请求的资源的 URI 的 。
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ 为指定的 URI 字符串初始化新的 实例。
+ 返回 。特定 URI 字符串的 实例。
+ 标识 Internet 资源的 URI 字符串。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 为指定的 URI 初始化新的 实例。
+ 返回 。特定 URI 字符串的 实例。
+ 标识 Internet 资源的 URI。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 当在子类中被重写时,获取或设置用于对 Internet 资源请求进行身份验证的网络凭据。
+ 包含与该请求关联的身份验证凭据的 。默认值为 null。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 获取或设置全局 HTTP 代理。
+ 对 实例的每一次调用所使用的 。
+
+
+ 当在子类中重写时,返回用于将数据写入 Internet 资源的 。
+ 将数据写入的 。
+ 引用对流的挂起请求的 。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 当在子类中重写时,返回 。
+ 包含对 Internet 请求的响应的 。
+ 引用对响应的挂起请求的 。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 当在子类中被重写时,将用于写入数据的 作为异步操作返回到 Internet 资源。
+ 返回 。表示异步操作的任务对象。
+
+
+ 当在子代类中被重写时,将作为异步操作返回对 Internet 请求的响应。
+ 返回 。表示异步操作的任务对象。
+
+
+ 当在子类中被重写时,获取或设置与请求关联的标头名称/值对的集合。
+ 包含与此请求关联的标头名称/值对的 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 当在子类中被重写时,获取或设置要在此请求中使用的协议方法。
+ 要在此请求中使用的协议方法。
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ 当在子类中被重写时,获取或设置用于访问此 Internet 资源的网络代理。
+ 用于访问 Internet 资源的 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 为指定的 URI 注册 子代。
+ 如果注册成功,则为 true;否则为 false。
+
+ 子代为其提供服务的完整 URI 或 URI 前缀。
+ 创建方法, 调用它以创建 子代。
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ 当在子类中被重写时,获取与请求关联的 Internet 资源的 URI。
+ 表示与请求关联的资源的 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 当在子代类中重写时,获取或设置一个 值,该值控制 是否随请求一起发送。
+ 如果使用默认凭据,则为 true;否则为 false。默认值为 false。
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 提供来自统一资源标识符 (URI) 的响应。这是一个 abstract 类。
+
+
+ 初始化 类的新实例。
+
+
+ 当在子类中重写时,获取或设置接收的数据的内容长度。
+ 从 Internet 资源返回的字节数。
+ 当未在子类中重写该属性时,试图获取或设置该属性。
+
+
+
+
+
+ 当在派生类中重写时,获取或设置接收的数据的内容类型。
+ 包含响应的内容类型的字符串。
+ 当未在子类中重写该属性时,试图获取或设置该属性。
+
+
+
+
+
+ 释放 对象使用的非托管资源。
+
+
+ 释放由 对象使用的非托管资源,并可根据需要释放托管资源。
+ 如果释放托管资源和非托管资源,则为 true;如果仅释放非托管资源,则为 false。
+
+
+ 当在子类中重写时,从 Internet 资源返回数据流。
+ 用于从 Internet 资源中读取数据的 类的实例。
+ 当未在子类中重写该方法时,试图访问该方法。
+
+
+
+
+
+ 当在派生类中重写时,获取与此请求关联的标头名称/值对的集合。
+
+ 类的实例,包含与此响应关联的标头值。
+ 当未在子类中重写该属性时,试图获取或设置该属性。
+
+
+
+
+
+ 当在派生类中重写时,获取实际响应此请求的 Internet 资源的 URI。
+
+ 类的实例,包含实际响应此请求的 Internet 资源的 URI。
+ 当未在子类中重写该属性时,试图获取或设置该属性。
+
+
+
+
+
+ 获取指示是否支持标题的值。
+ 返回 。如果标题受支持,则为 true;否则为 false。
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netcore50/zh-hant/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netcore50/zh-hant/System.Net.Requests.xml
new file mode 100644
index 0000000..c97631e
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netcore50/zh-hant/System.Net.Requests.xml
@@ -0,0 +1,550 @@
+
+
+
+ System.Net.Requests
+
+
+
+ 提供 類別的 HTTP 特定實作。
+
+
+ 取消對網際網路資源的要求。
+
+
+
+
+
+
+
+ 取得或設定 Accept HTTP 標頭的值。
+ Accept HTTP 標頭的值。預設值是 null。
+
+
+ 取得或設定值,這個值表示是否要緩衝處理從網際網路資源接收的資料。
+ true用來緩衝接收到來自網際網路資源。否則, false。true 表示啟用緩衝處理從網際網路資源收到的資料,false 表示停用緩衝。預設值為 true。
+
+
+ 開始用來寫入資料之 物件的非同步要求。
+
+ ,參考非同步要求。
+
+ 委派。
+ 這個要求的狀態物件。
+
+ 屬性是 GET 或 HEAD。-或- 是 true、 是 false、 是 -1、 是 false,而且 是 POST 或 PUT。
+ 資料流正在由先前對 的呼叫所使用。-或- 是設定為值,而且 為 false。-或-執行緒集區中的執行緒即將用盡。
+ 要求的快取驗證程式表示,可以從快取提供對這個要求的回應,然而,寫入資料的要求不可以使用快取。如果您使用錯誤實作的自訂快取驗證程式,可能會發生這個例外狀況。
+ 先前已呼叫過 。
+ 在 .NET Compact Framework 應用程式中,沒有正確取得並關閉內容長度為零的要求資料流。如需處理內容長度為零之要求的詳細資訊,請參閱 Network Programming in the .NET Compact Framework。
+
+
+
+
+
+
+
+
+
+
+ 開始對網際網路資源的非同步要求。
+
+ ,參考回應的非同步要求。
+
+ 委派
+ 這個要求的狀態物件。
+ 資料流已經由先前對 的呼叫使用。-或- 是設定為值,而且 為 false。-或-執行緒集區中的執行緒即將用盡。
+
+ 是 GET 或 HEAD,而且若不是 大於零,就是 為 true。-或- 是 true、 是 false;若不是 為 -1,就是 為 false;而且 是 POST 或 PUT。-或- 具有實體本文,但是不會透過呼叫 方法的方式來呼叫 方法。-或- 大於零,但應用程式不會寫入所有承諾的資料
+ 先前已呼叫過 。
+
+
+
+
+
+
+
+
+
+
+ 取得或設定 Content-type HTTP 標頭的值。
+ Content-type HTTP 標頭的值。預設值是 null。
+
+
+ 取得或設定要在收到伺服器的 100-Continue 以前等候的逾時 (以毫秒為單位)。
+ 要在收到 100-Continue 以前等候的逾時 (以毫秒為單位)。
+
+
+ 取得或設定與要求相關的 Cookie。
+
+ ,包含與這個要求相關的 Cookie。
+
+
+ 取得或設定要求的驗證資訊。
+
+ ,包含與要求相關的驗證認證。預設值為 null。
+
+
+
+
+
+ 結束用來寫入資料之 物件的非同步要求。
+
+ ,用來寫入要求資料。
+ 資料流的暫止要求。
+
+ 為 null。
+ 要求未完成,並且沒有資料流可以使用。
+ 目前執行個體沒有在呼叫 之後傳回 。
+ 這個方法先前已使用 呼叫過。
+ 先前已呼叫過 。-或-處理要求時發生錯誤。
+
+
+
+
+
+
+
+ 結束對網際網路資源的非同步要求。
+
+ ,包含來自網際網路資源的回應。
+ 回應的暫止要求。
+
+ 為 null。
+ 這個方法先前已使用 呼叫過。-或- 屬性大於 0,但是未將資料寫入至要求資料流。
+ 先前已呼叫過 。-或-處理要求時發生錯誤。
+
+ was not returned by the current instance from a call to .
+
+
+
+
+
+
+
+ 取得值,指出是否已經接收到來自網際網路資源的回應。
+ 如果已經接收到回應,則為 true,否則為 false。
+
+
+ 指定組成 HTTP 標頭的名稱/值組集合。
+
+ ,包含組成 HTTP 要求標頭的名稱/值組。
+ 要求已經藉由呼叫 、、 或 方法開始。
+
+
+
+
+
+ 取得或設定要求的方法。
+ 用來連繫網際網路資源的要求方法。預設值為 GET。
+ 未提供方法。-或-方法字串含有無效字元。
+
+
+ 取得要求的原始統一資源識別元 (URI)。
+
+ ,包含傳遞到 方法的網際網路資源 URI。
+
+
+ 取得值,指出要求是否提供對 的支援。
+ true如果要求提供支援;否則, false。如果支援 則為 true,否則為 false。
+
+
+ 取得或設定 值,控制是否隨著要求傳送預設認證。
+ 如果使用預設認證則為 true,否則為 false。預設值是 false。
+ 在傳送要求後,您嘗試設定這個屬性。
+
+
+
+
+
+ 提供 類別的 HTTP 特定實作。
+
+
+ 取得由要求傳回的內容長度。
+ 由要求傳回的位元組數目。內容長度不包含標頭資訊。
+ 已經處置目前的執行個體。
+
+
+ 取得回應的內容類型。
+ 字串,包含回應的內容類型。
+ 已經處置目前的執行個體。
+
+
+ 取得或設定與這個回應關聯的 Cookie。
+
+ ,包含與這個回應關聯的 Cookie。
+ 已經處置目前的執行個體。
+
+
+ 釋放 所使用的 Unmanaged 資源,並選擇性處置 Managed 資源。
+ true 表示會同時釋放 Managed 和 Unmanaged 資源;false 則表示只釋放 Unmanaged 資源。
+
+
+ 取得用來從伺服器讀取回應主體的資料流。
+
+ ,包含回應的主體。
+ 沒有回應的資料流。
+ 已經處置目前的執行個體。
+
+
+
+
+
+
+
+ 取得與伺服器的這個回應關聯的標頭。
+
+ ,包含隨回應傳回的標頭資訊。
+ 已經處置目前的執行個體。
+
+
+ 取得用來傳回回應的方法。
+ 字串,含有用來傳回回應的 HTTP 方法。
+ 已經處置目前的執行個體。
+
+
+ 取得回應要求之網際網路資源的 URI。
+
+ ,包含回應要求之網際網路資源的 URI。
+ 已經處置目前的執行個體。
+
+
+ 取得回應的狀態。
+ 其中一個 值。
+ 已經處置目前的執行個體。
+
+
+ 取得隨回應傳回的狀態描述。
+ 字串,描述回應的狀態。
+ 已經處置目前的執行個體。
+
+
+ 取得指出是否支援標頭的值。
+ 傳回 。如果支援標頭則為 true;否則為 false。
+
+
+ 提供建立 執行個體的基底介面。
+
+
+ 建立 執行個體。
+
+ 執行個體。
+ Web 資源的統一資源識別元 (URI)。
+ 此 執行個體不支援 中指定的要求配置。
+
+ 為 null。
+ 在適用於 Windows 市集應用程式的 .NET 或可攜式類別庫中,反而要攔截基底類別例外狀況 。 中指定的 URI 為無效的 URI。
+
+
+ 當使用網路通訊協定 (Protocol) 發生錯誤時,所擲回的例外狀況。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 使用指定的訊息來初始化 類別的新執行個體。
+ 錯誤訊息字串。
+
+
+ 當透過可外掛式通訊協定 (Protocol) 存取網路發生錯誤時,所擲回的例外狀況。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 使用指定的錯誤訊息來初始化 類別的新執行個體。
+ 錯誤訊息的文字。
+
+
+ 使用指定的錯誤訊息和巢狀例外狀況來初始化 類別的新執行個體。
+ 錯誤訊息的文字。
+ 巢狀例外狀況。
+
+
+ 使用指定的錯誤訊息、巢狀例外狀況、狀態和回應來初始化 類別的新執行個體。
+ 錯誤訊息的文字。
+ 巢狀例外狀況。
+ 其中一個 值。
+
+ 執行個體,含有遠端主機的回應。
+
+
+ 使用指定的錯誤訊息和狀態來初始化 類別的新執行個體。
+ 錯誤訊息的文字。
+ 其中一個 值。
+
+
+ 取得遠端主機所傳回的回應。
+ 如果可以從網際網路資源使用回應,則為包含來自網際網路資源之錯誤回應的 執行個體,否則為 null。
+
+
+ 取得回應的狀態。
+ 其中一個 值。
+
+
+ 定義 類別的狀態碼。
+
+
+ 無法在傳輸層級上連繫遠端服務點。
+
+
+ 已在傳送要求或從伺服器接收回應時收到超過指定限制的訊息。
+
+
+ 暫止內部非同步要求。
+
+
+ 要求被取消、呼叫 方法,或發生無法分類的錯誤。這是 的預設值。
+
+
+ 完整要求無法送出至遠端伺服器。
+
+
+ 沒有遇到錯誤。
+
+
+ 未知類型的例外狀況 (Exception) 已經發生。
+
+
+ 對統一資源識別元 (URI) 提出要求。這是 abstract 類別。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 中止要求
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ 在子代類別中覆寫時,會提供 方法的非同步版本。
+ 參考非同步要求的 。
+
+ 委派。
+ 物件,包含這個非同步要求的狀態資訊。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 在子代類別中覆寫時,開始網際網路資源的非同步要求。
+ 參考非同步要求的 。
+
+ 委派。
+ 物件,包含這個非同步要求的狀態資訊。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 在子代類別中覆寫時,取得或設定正在傳送要求資料的內容類型。
+ 要求資料的內容類型。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 為指定的 URI 配置,初始化新的 執行個體。
+ 特定 URI 配置的 子代。
+ 識別網際網路資源的 URI。
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ 為指定的 URI 配置,初始化新的 執行個體。
+
+ 子代,屬於指定的 URI 配置。
+
+ ,包含要求資源的 URI。
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ 為指定的 URI 字串,初始化新的 執行個體。
+ 傳回 。特定 URI 字串的 執行個體。
+ 識別網際網路資源的 URI 字串。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 為指定的 URI 配置,初始化新的 執行個體。
+ 傳回 。特定 URI 字串的 執行個體。
+ 識別網際網路資源的 URI。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 在子代類別中覆寫時,取得或設定使用網際網路資源驗證要求的網路認證。
+
+ ,包含與要求相關聯的驗證認證。預設為 null。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 取得或設定全域 HTTP Proxy。
+ 每個 執行個體的呼叫所使用的 。
+
+
+ 在子代類別中覆寫時,傳回 ,以便將資料寫入至網際網路資源。
+ 要將資料寫入的目標 。
+
+ ,參考資料流的暫止要求。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 在子代類別中覆寫時,傳回 。
+
+ ,包含對網際網路要求的回應。
+
+ ,參考回應的暫止要求。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 在子代類別中覆寫時,傳回以非同步作業方式將資料寫入網際網路資源的 。
+ 傳回 。工作物件,表示非同步作業。
+
+
+ 在子代類別中覆寫時,傳回對網際網路要求的回應,做為非同步作業。
+ 傳回 。工作物件,表示非同步作業。
+
+
+ 在子代類別中覆寫時,取得或設定與要求相關聯的標頭名稱/值組集合。
+
+ ,包含與要求相關聯的標頭名稱/值組。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 在子代類別中覆寫時,取得或設定這個要求中要使用的通訊協定方法。
+ 這個要求中要使用的通訊協定方法。
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ 在子代類別中覆寫時,取得或設定要用來存取這個網際網路資源的網路 Proxy。
+ 用以存取網際網路資源的 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 註冊指定 URI 的 子代。
+ 如果登錄成功,則為 true,否則為 false。
+
+ 子代所服務的完整 URI 或 URI 前置詞。
+
+ 呼叫以建立 子代的建立方法。
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ 在子代類別中覆寫時,取得與要求相關聯的網際網路資源 URI。
+
+ ,代表與要求相關聯的資源。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 在子代類別中覆寫時,取得或設定 值,控制 是否隨著要求傳送。
+ 如果使用預設認證,則為 true,否則為 false。預設值是 false。
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 提供來自統一資源識別元 (URI) 的回應。這是 abstract 類別。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 在子系類別中覆寫時,取得或設定正在接收資料的內容長度。
+ 傳回自網際網路資源的位元組數。
+ 當屬性在子代類別中未覆寫時,會嘗試取得或設定該屬性。
+
+
+
+
+
+ 在衍生類別中覆寫時,取得或設定正在接收資料的內容類型。
+ 字串,包含回應的內容類型。
+ 當屬性在子代類別中未覆寫時,會嘗試取得或設定該屬性。
+
+
+
+
+
+ 釋放由 物件使用的 Unmanaged 資源。
+
+
+ 釋放 物件所使用的 Unmanaged 資源,並選擇性處置 Managed 資源。
+ true 表示會同時釋放 Managed 和 Unmanaged 資源;false 則表示只釋放 Unmanaged 資源。
+
+
+ 在子系類別中覆寫時,傳回來自網際網路資源的資料流。
+
+ 類別的執行個體,從網際網路資源讀取資料。
+ 當方法在子代類別中未覆寫時,會嘗試存取該方法。
+
+
+
+
+
+ 在衍生類別中覆寫時,取得與這個要求相關聯的標頭名稱值配對集合。
+
+ 類別的執行個體,包含與這個回應相關聯的標頭值。
+ 當屬性在子代類別中未覆寫時,會嘗試取得或設定該屬性。
+
+
+
+
+
+ 在衍生類別中覆寫時,取得對要求實際回應的網際網路資源 URI。
+
+ 類別的執行個體,它包含對要求實際回應的網際網路資源 URI。
+ 當屬性在子代類別中未覆寫時,會嘗試取得或設定該屬性。
+
+
+
+
+
+ 取得指出是否支援標頭的值。
+ 傳回 。如果支援標頭則為 true;否則為 false。
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/System.Net.Requests.dll b/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/System.Net.Requests.dll
new file mode 100644
index 0000000..16bbceb
Binary files /dev/null and b/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/System.Net.Requests.dll differ
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/System.Net.Requests.xml
new file mode 100644
index 0000000..96c580d
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/System.Net.Requests.xml
@@ -0,0 +1,523 @@
+
+
+
+ System.Net.Requests
+
+
+
+ Provides an HTTP-specific implementation of the class.
+
+
+ Cancels a request to an Internet resource.
+
+
+
+
+
+
+
+ Gets or sets the value of the Accept HTTP header.
+ The value of the Accept HTTP header. The default value is null.
+
+
+ Gets or sets a value that indicates whether to buffer the received from the Internet resource.
+ true to buffer the received from the Internet resource; otherwise, false.true to enable buffering of the data received from the Internet resource; false to disable buffering. The default is true.
+
+
+ Begins an asynchronous request for a object to use to write data.
+ An that references the asynchronous request.
+ The delegate.
+ The state object for this request.
+ The property is GET or HEAD.-or- is true, is false, is -1, is false, and is POST or PUT.
+ The stream is being used by a previous call to -or- is set to a value and is false.-or- The thread pool is running out of threads.
+ The request cache validator indicated that the response for this request can be served from the cache; however, requests that write data must not use the cache. This exception can occur if you are using a custom cache validator that is incorrectly implemented.
+
+ was previously called.
+ In a .NET Compact Framework application, a request stream with zero content length was not obtained and closed correctly. For more information about handling zero content length requests, see Network Programming in the .NET Compact Framework.
+
+
+
+
+
+
+
+
+
+
+ Begins an asynchronous request to an Internet resource.
+ An that references the asynchronous request for a response.
+ The delegate
+ The state object for this request.
+ The stream is already in use by a previous call to -or- is set to a value and is false.-or- The thread pool is running out of threads.
+
+ is GET or HEAD, and either is greater than zero or is true.-or- is true, is false, and either is -1, is false and is POST or PUT.-or- The has an entity body but the method is called without calling the method. -or- The is greater than zero, but the application does not write all of the promised data.
+
+ was previously called.
+
+
+
+
+
+
+
+
+
+
+ Gets or sets the value of the Content-type HTTP header.
+ The value of the Content-type HTTP header. The default value is null.
+
+
+ Gets or sets a timeout, in milliseconds, to wait until the 100-Continue is received from the server.
+ The timeout, in milliseconds, to wait until the 100-Continue is received.
+
+
+ Gets or sets the cookies associated with the request.
+ A that contains the cookies associated with this request.
+
+
+ Gets or sets authentication information for the request.
+ An that contains the authentication credentials associated with the request. The default is null.
+
+
+
+
+
+ Ends an asynchronous request for a object to use to write data.
+ A to use to write request data.
+ The pending request for a stream.
+
+ is null.
+ The request did not complete, and no stream is available.
+
+ was not returned by the current instance from a call to .
+ This method was called previously using .
+
+ was previously called.-or- An error occurred while processing the request.
+
+
+
+
+
+
+
+ Ends an asynchronous request to an Internet resource.
+ A that contains the response from the Internet resource.
+ The pending request for a response.
+
+ is null.
+ This method was called previously using -or- The property is greater than 0 but the data has not been written to the request stream.
+
+ was previously called.-or- An error occurred while processing the request.
+
+ was not returned by the current instance from a call to .
+
+
+
+
+
+
+
+ Gets a value that indicates whether a response has been received from an Internet resource.
+ true if a response has been received; otherwise, false.
+
+
+ Specifies a collection of the name/value pairs that make up the HTTP headers.
+ A that contains the name/value pairs that make up the headers for the HTTP request.
+ The request has been started by calling the , , , or method.
+
+
+
+
+
+ Gets or sets the method for the request.
+ The request method to use to contact the Internet resource. The default value is GET.
+ No method is supplied.-or- The method string contains invalid characters.
+
+
+ Gets the original Uniform Resource Identifier (URI) of the request.
+ A that contains the URI of the Internet resource passed to the method.
+
+
+ Gets a value that indicates whether the request provides support for a .
+ true if the request provides support for a ; otherwise, false.true if a is supported; otherwise, false.
+
+
+ Gets or sets a value that controls whether default credentials are sent with requests.
+ true if the default credentials are used; otherwise false. The default value is false.
+ You attempted to set this property after the request was sent.
+
+
+
+
+
+ Provides an HTTP-specific implementation of the class.
+
+
+ Gets the length of the content returned by the request.
+ The number of bytes returned by the request. Content length does not include header information.
+ The current instance has been disposed.
+
+
+ Gets the content type of the response.
+ A string that contains the content type of the response.
+ The current instance has been disposed.
+
+
+ Gets or sets the cookies that are associated with this response.
+ A that contains the cookies that are associated with this response.
+ The current instance has been disposed.
+
+
+ Releases the unmanaged resources used by the , and optionally disposes of the managed resources.
+ true to release both managed and unmanaged resources; false to releases only unmanaged resources.
+
+
+ Gets the stream that is used to read the body of the response from the server.
+ A containing the body of the response.
+ There is no response stream.
+ The current instance has been disposed.
+
+
+
+
+
+
+
+ Gets the headers that are associated with this response from the server.
+ A that contains the header information returned with the response.
+ The current instance has been disposed.
+
+
+ Gets the method that is used to return the response.
+ A string that contains the HTTP method that is used to return the response.
+ The current instance has been disposed.
+
+
+ Gets the URI of the Internet resource that responded to the request.
+ A that contains the URI of the Internet resource that responded to the request.
+ The current instance has been disposed.
+
+
+ Gets the status of the response.
+ One of the values.
+ The current instance has been disposed.
+
+
+ Gets the status description returned with the response.
+ A string that describes the status of the response.
+ The current instance has been disposed.
+
+
+ Gets a value that indicates if headers are supported.
+ Returns .true if headers are supported; otherwise, false.
+
+
+ Provides the base interface for creating instances.
+
+
+ Creates a instance.
+ A instance.
+ The uniform resource identifier (URI) of the Web resource.
+ The request scheme specified in is not supported by this instance.
+
+ is null.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+ The exception that is thrown when an error is made while using a network protocol.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class with the specified message.
+ The error message string.
+
+
+ The exception that is thrown when an error occurs while accessing the network through a pluggable protocol.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class with the specified error message.
+ The text of the error message.
+
+
+ Initializes a new instance of the class with the specified error message and nested exception.
+ The text of the error message.
+ A nested exception.
+
+
+ Initializes a new instance of the class with the specified error message, nested exception, status, and response.
+ The text of the error message.
+ A nested exception.
+ One of the values.
+ A instance that contains the response from the remote host.
+
+
+ Initializes a new instance of the class with the specified error message and status.
+ The text of the error message.
+ One of the values.
+
+
+ Gets the response that the remote host returned.
+ If a response is available from the Internet resource, a instance that contains the error response from an Internet resource; otherwise, null.
+
+
+ Gets the status of the response.
+ One of the values.
+
+
+ Defines status codes for the class.
+
+
+ The remote service point could not be contacted at the transport level.
+
+
+ A message was received that exceeded the specified limit when sending a request or receiving a response from the server.
+
+
+ An internal asynchronous request is pending.
+
+
+ The request was canceled, the method was called, or an unclassifiable error occurred. This is the default value for .
+
+
+ A complete request could not be sent to the remote server.
+
+
+ No error was encountered.
+
+
+ An exception of unknown type has occurred.
+
+
+ Makes a request to a Uniform Resource Identifier (URI). This is an abstract class.
+
+
+ Initializes a new instance of the class.
+
+
+ Aborts the Request
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ When overridden in a descendant class, provides an asynchronous version of the method.
+ An that references the asynchronous request.
+ The delegate.
+ An object containing state information for this asynchronous request.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ When overridden in a descendant class, begins an asynchronous request for an Internet resource.
+ An that references the asynchronous request.
+ The delegate.
+ An object containing state information for this asynchronous request.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ When overridden in a descendant class, gets or sets the content type of the request data being sent.
+ The content type of the request data.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Initializes a new instance for the specified URI scheme.
+ A descendant for the specific URI scheme.
+ The URI that identifies the Internet resource.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ Initializes a new instance for the specified URI scheme.
+ A descendant for the specified URI scheme.
+ A containing the URI of the requested resource.
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ Initializes a new instance for the specified URI string.
+ Returns .An instance for the specific URI string.
+ A URI string that identifies the Internet resource.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Initializes a new instance for the specified URI.
+ Returns .An instance for the specific URI string.
+ A URI that identifies the Internet resource.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ When overridden in a descendant class, gets or sets the network credentials used for authenticating the request with the Internet resource.
+ An containing the authentication credentials associated with the request. The default is null.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Gets or sets the global HTTP proxy.
+ An used by every call to instances of .
+
+
+ When overridden in a descendant class, returns a for writing data to the Internet resource.
+ A to write data to.
+ An that references a pending request for a stream.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ When overridden in a descendant class, returns a .
+ A that contains a response to the Internet request.
+ An that references a pending request for a response.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ When overridden in a descendant class, returns a for writing data to the Internet resource as an asynchronous operation.
+ Returns .The task object representing the asynchronous operation.
+
+
+ When overridden in a descendant class, returns a response to an Internet request as an asynchronous operation.
+ Returns .The task object representing the asynchronous operation.
+
+
+ When overridden in a descendant class, gets or sets the collection of header name/value pairs associated with the request.
+ A containing the header name/value pairs associated with this request.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ When overridden in a descendant class, gets or sets the protocol method to use in this request.
+ The protocol method to use in this request.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ When overridden in a descendant class, gets or sets the network proxy to use to access this Internet resource.
+ The to use to access the Internet resource.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Registers a descendant for the specified URI.
+ true if registration is successful; otherwise, false.
+ The complete URI or URI prefix that the descendant services.
+ The create method that the calls to create the descendant.
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ When overridden in a descendant class, gets the URI of the Internet resource associated with the request.
+ A representing the resource associated with the request
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ When overridden in a descendant class, gets or sets a value that controls whether are sent with requests.
+ true if the default credentials are used; otherwise false. The default value is false.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Provides a response from a Uniform Resource Identifier (URI). This is an abstract class.
+
+
+ Initializes a new instance of the class.
+
+
+ When overridden in a descendant class, gets or sets the content length of data being received.
+ The number of bytes returned from the Internet resource.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ When overridden in a derived class, gets or sets the content type of the data being received.
+ A string that contains the content type of the response.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Releases the unmanaged resources used by the object.
+
+
+ Releases the unmanaged resources used by the object, and optionally disposes of the managed resources.
+ true to release both managed and unmanaged resources; false to releases only unmanaged resources.
+
+
+ When overridden in a descendant class, returns the data stream from the Internet resource.
+ An instance of the class for reading data from the Internet resource.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ When overridden in a derived class, gets a collection of header name-value pairs associated with this request.
+ An instance of the class that contains header values associated with this response.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ When overridden in a derived class, gets the URI of the Internet resource that actually responded to the request.
+ An instance of the class that contains the URI of the Internet resource that actually responded to the request.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Gets a value that indicates if headers are supported.
+ Returns .true if headers are supported; otherwise, false.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/de/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/de/System.Net.Requests.xml
new file mode 100644
index 0000000..028cd87
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/de/System.Net.Requests.xml
@@ -0,0 +1,523 @@
+
+
+
+ System.Net.Requests
+
+
+
+ Stellt eine HTTP-spezifische Implementierung der -Klasse bereit.
+
+
+ Bricht eine Anforderung an eine Internetressource ab.
+
+
+
+
+
+
+
+ Ruft den Wert des Accept-HTTP-Headers ab oder legt ihn fest.
+ Der Wert des Accept-HTTP-Headers.Der Standardwert ist null.
+
+
+ Ruft einen Wert ab, der angibt, ob die von der Internetressource empfangenen Daten gepuffert werden sollen, oder legt diesen Wert fest.
+ true, um die aus der Internetressource empfangenen Daten zwischenzuspeichern, andernfalls false.true aktiviert die Zwischenspeicherung der aus der Internetressource empfangenen Daten, false deaktiviert die Zwischenspeicherung.Die Standardeinstellung ist true.
+
+
+ Startet eine asynchrone Anforderung eines -Objekts, das zum Schreiben von Daten verwendet werden soll.
+ Ein , das auf die asynchrone Anforderung verweist.
+ Der -Delegat.
+ Das Zustandsobjekt für diese Anforderung.
+ Die -Eigenschaft ist GET oder HEAD.- oder - ist true, ist false, ist -1, ist false, und ist POST oder PUT.
+ Der Stream wird von einem vorherigen Aufruf von verwendet.- oder - ist auf einen Wert festgelegt, und ist false.- oder - Es sind nur noch wenige Threads im Threadpool verfügbar.
+ Die Cachebestätigung der Anforderung hat angegeben, dass die Antwort für diese Anforderung vom Cache bereitgestellt werden kann. Anforderungen, die Daten schreiben, dürfen jedoch den Cache nicht verwenden.Diese Ausnahme kann auftreten, wenn Sie eine benutzerdefinierte Cachebestätigung verwenden, die nicht ordnungsgemäß implementiert wurde.
+
+ wurde bereits zuvor aufgerufen.
+ In einer .NET Compact Framework-Anwendung wurde ein Anforderungsstream, dessen Inhalt die Länge 0 (null) hat, nicht korrekt abgerufen und geschlossen.Weitere Informationen über das Behandeln von Anforderungen mit einem Inhalt von der Länge 0 (null) finden Sie unter Network Programming in the .NET Compact Framework.
+
+
+
+
+
+
+
+
+
+
+ Startet eine asynchrone Anforderung an eine Internetressource.
+ Ein , das auf die asynchrone Anforderung einer Antwort verweist.
+ Der -Delegat.
+ Das Zustandsobjekt für diese Anforderung.
+ Der Stream wird bereits von einem vorherigen Aufruf von verwendet.- oder - ist auf einen Wert festgelegt, und ist false.- oder - Es sind nur noch wenige Threads im Threadpool verfügbar.
+
+ ist GET oder HEAD, und entweder ist größer als 0, oder ist true.- oder - ist true, ist false, ist -1, ist false, und ist POST oder PUT.- oder - Der hat einen Entitätstext, aber die -Methode wird aufgerufen, ohne die -Methode aufzurufen. - oder - ist größer als 0 (null), aber die Anwendung schreibt nicht alle versprochenen Daten.
+
+ wurde bereits zuvor aufgerufen.
+
+
+
+
+
+
+
+
+
+
+ Ruft den Wert des Content-type-HTTP-Headers ab oder legt ihn fest.
+ Der Wert des Content-type-HTTP-Headers.Der Standardwert ist null.
+
+
+ Ruft eine Timeout-Zeit (in Millisekunden) ab oder legt diese fest, bis zu der auf den Serverstatus gewartet wird, nachdem "100-Continue" vom Server empfangen wurde.
+ Das Timeout in Millisekunden, bis zu dem auf den Empfang von "100-Continue" gewartet wird.
+
+
+ Ruft die der Anforderung zugeordneten Cookies ab oder legt diese fest.
+ Ein mit den dieser Anforderung zugeordneten Cookies.
+
+
+ Ruft Authentifizierungsinformationen für die Anforderung ab oder legt diese fest.
+ Ein -Element mit den der Anforderung zugeordneten Anmeldeinformationen für die Authentifizierung.Die Standardeinstellung ist null.
+
+
+
+
+
+ Beendet eine asynchrone Anforderung eines -Objekts, das zum Schreiben von Daten verwendet werden soll.
+ Ein , der zum Schreiben von Anforderungsdaten verwendet werden soll.
+ Die ausstehende Anforderung für einen Datenstrom.
+
+ ist null.
+ Die Anforderung wurde nicht abgeschlossen, und es ist kein Stream verfügbar.
+
+ wurde nicht durch die derzeitige Instanz von einem Aufruf von zurückgegeben.
+ Diese Methode wurde zuvor unter Verwendung von aufgerufen.
+
+ wurde bereits zuvor aufgerufen.- oder - Fehler bei der Verarbeitung der Anforderung.
+
+
+
+
+
+
+
+ Beendet eine asynchrone Anforderung an eine Internetressource.
+ Eine mit der Antwort von der Internetressource.
+ Die ausstehende Anforderung einer Antwort.
+
+ ist null.
+ Diese Methode wurde zuvor unter Verwendung von aufgerufen.- oder - Die -Eigenschaft ist größer als 0, die Daten wurden jedoch nicht in den Anforderungsstream geschrieben.
+
+ wurde bereits zuvor aufgerufen.- oder - Fehler bei der Verarbeitung der Anforderung.
+
+ wurde nicht durch die derzeitige Instanz von einem Aufruf von zurückgegeben.
+
+
+
+
+
+
+
+ Ruft einen Wert ab, der angibt, ob eine Antwort von einer Internetressource empfangen wurde.
+ true, wenn eine Antwort empfangen wurde, andernfalls false.
+
+
+ Gibt eine Auflistung der Name-Wert-Paare an, aus denen sich die HTTP-Header zusammensetzen.
+ Eine mit den Name-Wert-Paaren, aus denen sich die Header für die HTTP-Anforderung zusammensetzen.
+ Die Anforderung wurde durch Aufrufen der -Methode, der -Methode, der -Methode oder der -Methode gestartet.
+
+
+
+
+
+ Ruft die Methode für die Anforderung ab oder legt diese fest.
+ Die Anforderungsmethode zum Herstellen der Verbindung mit der Internetressource.Der Standardwert ist GET.
+ Es wurde keine Methode angegeben.- oder - Die Zeichenfolge der Methode enthält ungültige Zeichen.
+
+
+ Ruft den ursprünglichen URI (Uniform Resource Identifier) der Anforderung ab.
+ Ein mit dem URI der Internetressource, der an die -Methode übergeben wurde.
+
+
+ Ruft einen Wert ab, der angibt, ob die Anforderung Unterstützung für einen bereitstellt.
+ true, wenn der Vorgang Unterstützung für einen bietet, andernfalls false.true, wenn ein unterstützt wird, andernfalls false.
+
+
+ Ruft einen -Wert ab, der steuert, ob mit den Anforderungen Standardanmeldeinformationen gesendet werden, oder legt diesen fest.
+ true, wenn die Standardanmeldeinformationen verwendet werden, andernfalls false.Der Standardwert ist false.
+ Sie haben versucht, diese Eigenschaft festzulegen, nachdem die Anforderung gesendet wurde.
+
+
+
+
+
+ Stellt eine HTTP-spezifische Implementierung der -Klasse bereit.
+
+
+ Ruft die Länge des von der Anforderung zurückgegebenen Inhalts ab.
+ Die Anzahl von Bytes, die von der Anforderung zurückgegeben werden.Die Inhaltslänge schließt nicht die Headerinformationen ein.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft den Inhaltstyp der Antwort ab.
+ Eine Zeichenfolge, die den Inhaltstyp der Antwort enthält.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft die dieser Antwort zugeordneten Cookies ab oder legt diese fest.
+ Eine mit den dieser Antwort zugeordneten Cookies.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Gibt die vom verwendeten, nicht verwalteten Ressourcen frei und verwirft optional auch die verwalteten Ressourcen.
+ true, um sowohl verwaltete als auch nicht verwaltete Ressourcen freizugeben. false, wenn ausschließlich nicht verwaltete Ressourcen freigegeben werden sollen.
+
+
+ Ruft den Stream ab, der zum Lesen des Textkörpers der Serverantwort verwendet wird.
+ Ein mit dem Antworttext.
+ Es ist kein Antwortstream vorhanden.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+
+
+
+
+
+ Ruft die Header ab, die dieser Antwort vom Server zugeordnet sind.
+ Eine mit den mit der Antwort zurückgegebenen Headerinformationen.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft die zum Zurückgeben der Antwort verwendete Methode ab.
+ Eine Zeichenfolge mit der zum Zurückgeben der Antwort verwendeten HTTP-Methode.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft den URI der Internetressource ab, die die Anforderung beantwortet hat.
+ Ein -Objekt, das den URI der Internetressource enthält, die die Anforderung beantwortet hat.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft den Status der Antwort ab.
+ Einer der -Werte.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft die mit der Antwort zurückgegebene Statusbeschreibung ab.
+ Eine Zeichenfolge, die den Status der Antwort beschreibt.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft einen Wert ab, der angibt, ob Header unterstützt werden.
+ Gibt zurück.true, wenn Header unterstützt werden, andernfalls false.
+
+
+ Stellt die Basisschnittstelle zum Erstellen von -Instanzen bereit.
+
+
+ Erstellt eine -Instanz.
+ Eine -Instanz.
+ Der URI (Uniform Resource Identifier) der Webressource.
+ Das in angegebene Anforderungsschema wird von dieser -Instanz nicht unterstützt.
+
+ ist null.
+ Unter .NET for Windows Store apps oder in der Portable Klassenbibliothek verwenden Sie stattdessen die Basisklassenausnahme .Der in angegebene URI ist kein gültiger URI.
+
+
+ Diese Ausnahme wird ausgelöst, wenn beim Verwenden eines Netzwerkprotokolls ein Fehler auftritt.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse mit der angegebenen Meldung.
+ Die Zeichenfolge der Fehlermeldung.
+
+
+ Diese Ausnahme wird ausgelöst, wenn während des Netzwerkzugriffes über ein austauschbares Protokoll ein Fehler auftritt.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse mit der angegebenen Fehlermeldung.
+ Der Text der Fehlermeldung.
+
+
+ Initialisiert eine neue Instanz der -Klasse mit der angegebenen Fehlermeldung und der angegebenen geschachtelten Ausnahme.
+ Der Text der Fehlermeldung.
+ Eine geschachtelte Ausnahme.
+
+
+ Initialisiert eine neue Instanz der -Klasse mit der angegebenen Fehlermeldung, der geschachtelten Ausnahme, dem Status und der Antwort.
+ Der Text der Fehlermeldung.
+ Eine geschachtelte Ausnahme.
+ Einer der -Werte.
+ Eine -Instanz, die die Antwort des Remotehosts enthält.
+
+
+ Initialisiert eine neue Instanz der -Klasse mit der angegebenen Fehlermeldung und dem angegebenen Status.
+ Der Text der Fehlermeldung.
+ Einer der -Werte.
+
+
+ Ruft die vom Remotehost zurückgegebene Antwort ab.
+ Wenn eine Antwort der Internetressource verfügbar ist, eine -Instanz mit der Fehlerantwort einer Internetressource, andernfalls null.
+
+
+ Ruft den Status der Antwort ab.
+ Einer der -Werte.
+
+
+ Definiert Statuscodes für die -Klasse.
+
+
+ Auf der Transportebene konnte keine Verbindung mit dem remoten Dienstpunkt hergestellt werden.
+
+
+ Es wurde eine Meldung empfangen, bei der die festgelegte Größe für das Senden einer Anforderung bzw. das Empfangen einer Antwort vom Server überschritten wurde.
+
+
+ Eine interne asynchrone Anforderung steht aus.
+
+
+ Die Anforderung wurde abgebrochen. Es wurde die -Methode aufgerufen, oder ein nicht klassifizierbarer Fehler ist aufgetreten.Dies ist der Standardwert für .
+
+
+ Es konnte keine vollständige Anforderung an den Remoteserver gesendet werden.
+
+
+ Es ist kein Fehler aufgetreten.
+
+
+ Eine Ausnahme unbekannten Typs ist aufgetreten.
+
+
+ Sendet eine Anforderung an einen Uniform Resource Identifier (URI).Dies ist eine abstract Klasse.
+
+
+ Initialisiert eine neue Instanz der-Klasse.
+
+
+ Bricht die Anforderung ab.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ Stellt beim Überschreiben in einer Nachfolgerklasse eine asynchrone Version der -Methode bereit.
+ Ein , das auf die asynchrone Anforderung verweist.
+ Der -Delegat.
+ Ein Objekt mit Zustandsinformationen für diese asynchrone Anforderung.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Startet beim Überschreiben in einer Nachfolgerklasse eine asynchrone Anforderung einer Internetressource.
+ Ein , das auf die asynchrone Anforderung verweist.
+ Der -Delegat.
+ Ein Objekt mit Zustandsinformationen für diese asynchrone Anforderung.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse den Inhaltstyp der zu sendenden Anforderungsdaten ab oder legt diese fest.
+ Der Inhaltstyp der Anforderungsdaten.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Initialisiert eine neue -Instanz für das angegebene URI-Schema.
+ Ein -Nachfolger für ein bestimmtes URI-Schema.
+ Der URI, der die Internetressource bezeichnet.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ Initialisiert eine neue -Instanz für das angegebene URI-Schema.
+ Ein -Nachfolger für das angegebene URI-Schema.
+ Ein mit dem URI der angeforderten Ressource.
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ Initialisiert eine neue -Instanz für die angegebene URI-Zeichenfolge.
+ Gibt zurück.Eine -Instanz für die spezifische URI-Zeichenfolge.
+ Eine URI-Zeichenfolge, mit der die Internetressource bezeichnet wird.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Initialisiert eine neue -Instanz für den angegebenen URI.
+ Gibt zurück.Eine -Instanz für die spezifische URI-Zeichenfolge.
+ Ein URI, mit dem die Internetressource bezeichnet wird.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse die Netzwerkanmeldeinformationen, die für die Authentifizierung der Anforderung der Internetressource verwendet werden, ab oder legt diese fest.
+ Ein -Objekt mit den mit der Anforderung verknüpften Authentifizierungsanmeldeinformationen.Die Standardeinstellung ist null.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Ruft den globalen HTTP-Proxy ab oder legt diesen fest.
+ Ein von jedem Aufruf der Instanzen von verwendeter .
+
+
+ Gibt beim Überschreiben in einer Nachfolgerklasse einen zum Schreiben von Daten in die Internetressource zurück.
+ Ein , in den Daten geschrieben werden können.
+ Ein , das auf eine ausstehende Anforderung eines Streams verweist.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Gibt beim Überschreiben in einer Nachfolgerklasse eine zurück.
+ Eine mit einer Antwort auf die Internetanforderung.
+ Ein , das auf eine ausstehende Anforderung einer Antwort verweist.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Gibt nach dem Überschreiben in einer abgeleiteten Klasse einen zurück, womit Daten in einem asynchronen Vorgang in die Internetressource geschrieben werden können.
+ Gibt zurück.Das Aufgabenobjekt, das den asynchronen Vorgang darstellt.
+
+
+ Gibt beim Überschreiben in einer Nachfolgerklasse in einem asynchronen Vorgang eine Antwort auf eine Internetanforderung zurück.
+ Gibt zurück.Das Aufgabenobjekt, das den asynchronen Vorgang darstellt.
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse eine Auflistung von Name-Wert-Paaren für Header ab, die mit der Anforderung verknüpft sind, oder legt diese fest.
+ Eine mit den dieser Anforderung zugeordneten Name-Wert-Paaren für Header.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse die in dieser Anforderung zu verwendende Protokollmethode ab oder legt diese fest.
+ Die in dieser Anforderung zu verwendende Protokollmethode.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse den beim Zugriff auf diese Internetressource verwendeten Netzwerkproxy ab oder legt diesen fest.
+ Der beim Zugriff auf die Internetressource zu verwendende .
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Registriert einen -Nachfolger für den angegebenen URI.
+ true, wenn die Registrierung erfolgreich ist, andernfalls false.
+ Der vollständige URI oder das URI-Präfix, der bzw. das der -Nachfolger bearbeitet.
+ Die Erstellungsmethode, die die zum Erstellen des -Nachfolgers aufruft.
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse den mit der Anforderung verknüpften URI der Internetressource ab.
+ Ein , der die der Anforderung zugeordnete Ressource darstellt.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse einen -Wert ab, der steuert, ob mit Anforderungen gesendet werden, oder legt einen solchen Wert fest.
+ true, wenn die Standardanmeldeinformationen verwendet werden, andernfalls false.Der Standardwert ist false.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Stellt eine Antwort eines URIs (Uniform Resource Identifier) bereit.Dies ist eine abstract Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse die Inhaltslänge der empfangenen Daten ab oder legt diese fest.
+ Die Anzahl der von der Internetressource zurückgegebenen Bytes.
+ Es wurde versucht, die Eigenschaft abzurufen oder festzulegen, obwohl die Eigenschaft in einer Nachfolgerklasse nicht überschrieben wurde.
+
+
+
+
+
+ Ruft beim Überschreiben in einer abgeleiteten Klasse den Inhaltstyp der empfangenen Daten ab oder legt diesen fest.
+ Eine Zeichenfolge, die den Inhaltstyp der Antwort enthält.
+ Es wurde versucht, die Eigenschaft abzurufen oder festzulegen, obwohl die Eigenschaft in einer Nachfolgerklasse nicht überschrieben wurde.
+
+
+
+
+
+ Gibt die vom -Objekt verwendeten nicht verwalteten Ressourcen frei.
+
+
+ Gibt die vom -Objekt verwendeten nicht verwalteten Ressourcen und verwirft optional auch die verwalteten Ressourcen.
+ true, um sowohl verwaltete als auch nicht verwaltete Ressourcen freizugeben. false, wenn ausschließlich nicht verwaltete Ressourcen freigegeben werden sollen.
+
+
+ Gibt beim Überschreiben in einer Nachfolgerklasse den Datenstream von der Internetressource zurück.
+ Eine Instanz der -Klasse zum Lesen von Daten aus der Internetressource.
+ Es wurde versucht, auf die Methode zuzugreifen, obwohl die Methode in einer Nachfolgerklasse nicht überschrieben wurde.
+
+
+
+
+
+ Ruft beim Überschreiben in einer abgeleiteten Klasse eine Auflistung von Name-Wert-Paaren für Header ab, die dieser Anforderung zugeordnet sind.
+ Eine Instanz der -Klasse, die Headerwerte enthält, die dieser Antwort zugeordnet sind.
+ Es wurde versucht, die Eigenschaft abzurufen oder festzulegen, obwohl die Eigenschaft in einer Nachfolgerklasse nicht überschrieben wurde.
+
+
+
+
+
+ Ruft beim Überschreiben in einer abgeleiteten Klasse den URI der Internetressource ab, die letztlich auf die Anforderung geantwortet hat.
+ Eine Instanz der -Klasse, die den URI der Internetressource enthält, die letztlich auf die Anforderung geantwortet hat.
+ Es wurde versucht, die Eigenschaft abzurufen oder festzulegen, obwohl die Eigenschaft in einer Nachfolgerklasse nicht überschrieben wurde.
+
+
+
+
+
+ Ruft einen Wert ab, der angibt, ob Header unterstützt werden.
+ Gibt zurück.true, wenn Header unterstützt werden, andernfalls false.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/es/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/es/System.Net.Requests.xml
new file mode 100644
index 0000000..1174941
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/es/System.Net.Requests.xml
@@ -0,0 +1,537 @@
+
+
+
+ System.Net.Requests
+
+
+
+ Proporciona una implementación específica de HTTP de la clase .
+
+
+ Cancela una solicitud de un recurso de Internet.
+
+
+
+
+
+
+
+ Obtiene o establece el valor del encabezado HTTP Accept.
+ Valor del encabezado HTTP Accept.El valor predeterminado es null.
+
+
+ Obtiene o establece un valor que indica si los datos recibidos del recurso de Internet deben almacenarse en el búfer.
+ truepara almacenar en búfer recibido del recurso de Internet; de lo contrario, false.Es true para habilitar el almacenamiento en búfer de los datos recibidos del recurso de Internet; es false para deshabilitar el almacenamiento en búfer.De manera predeterminada, es true.
+
+
+ Inicia una solicitud asincrónica de un objeto que se va a utilizar para escribir datos.
+
+ que hace referencia a la solicitud asincrónica.
+ Delegado .
+ Objeto de estado de esta solicitud.
+ La propiedad es GET o HEAD.o bien es true, es false, es -1, es false y es POST o PUT.
+ La secuencia la utiliza una llamada anterior a .o bien se establece en un valor y es false.o bien El grupo de subprocesos se queda sin subprocesos.
+ El validador de caché de solicitud indicó que la respuesta para esta solicitud se puede obtener de la caché; sin embargo, las solicitudes que escriben datos no deben utilizar la caché.Esta excepción puede aparecer si se utiliza un validador de caché personalizado que se implementa incorrectamente.
+ Se llamó anteriormente a .
+ En una aplicación de .NET Compact Framework, una secuencia de solicitudes con longitud de contenido cero no se obtuvo y se cerró correctamente.Para obtener más información sobre cómo controlar las solicitudes de longitud de contenido cero, vea Network Programming in the .NET Compact Framework.
+
+
+
+
+
+
+
+
+
+
+ Inicia una solicitud asincrónica de un recurso de Internet.
+
+ que hace referencia a la solicitud asincrónica de una respuesta.
+ Delegado .
+ Objeto de estado de esta solicitud.
+ La secuencia está en uso por una llamada anterior al método .o bien se establece en un valor y es false.o bien El grupo de subprocesos se queda sin subprocesos.
+
+ es GET o HEAD, y es mayor que cero o es true.o bien es true, es false, y es -1, es false y es POST o PUT.o bien tiene un cuerpo de entidad pero se llama al método sin llamar al método . o bien es mayor que el cero, pero la aplicación no escribe todos los datos prometidos.
+ Se llamó anteriormente a .
+
+
+
+
+
+
+
+
+
+
+ Obtiene o establece el valor del encabezado HTTP Content-type.
+ Valor del encabezado HTTP Content-type.El valor predeterminado es null.
+
+
+ Obtiene o establece el tiempo de espera, en milisegundos, para esperar hasta que se reciba 100-Continue del servidor.
+ El tiempo de espera, en milisegundos, que se espera hasta que se recibe 100-Continue.
+
+
+ Obtiene o establece las cookies asociadas a la solicitud.
+
+ que contiene las cookies asociadas a esta solicitud.
+
+
+ Obtiene o establece la información de autenticación para la solicitud.
+
+ que contiene las credenciales de autenticación asociadas a la solicitud.De manera predeterminada, es null.
+
+
+
+
+
+ Finaliza una solicitud asincrónica para utilizar un objeto para escribir datos.
+
+ que se utiliza para escribir los datos de la solicitud.
+ Solicitud pendiente de un flujo.
+
+ is null.
+ La solicitud no se completó y no hay ninguna secuencia disponible.
+ La instancia actual no devolvió de una llamada a .
+ Se llamó anteriormente a este método por medio de .
+ Se llamó anteriormente a .o bien Se ha producido un error al procesar la solicitud.
+
+
+
+
+
+
+
+ Finaliza una solicitud asincrónica de un recurso de Internet.
+
+ que contiene la respuesta del recurso de Internet.
+ Solicitud de una respuesta pendiente.
+
+ is null.
+ Se llamó anteriormente a este método por medio de .o bien La propiedad es mayor que 0, aunque no se han escrito los datos en la secuencia de la solicitud.
+ Se llamó anteriormente a .o bien Se ha producido un error al procesar la solicitud.
+ La instancia actual no devolvió de una llamada a .
+
+
+
+
+
+
+
+ Obtiene un valor que indica si se ha recibido una respuesta de un recurso de Internet.
+ Es true si se ha recibido una respuesta; de lo contrario, es false.
+
+
+ Especifica una colección de los pares nombre/valor que componen los encabezados HTTP.
+
+ que contiene los pares nombre-valor que componen los encabezados de la solicitud HTTP.
+ La solicitud se inició llamando al método , , o .
+
+
+
+
+
+ Obtiene o establece el método para la solicitud.
+ Método de solicitud que se debe utilizar para establecer contacto con el recurso de Internet.El valor predeterminado es GET.
+ No se proporciona ningún método.o bien La cadena de método contiene caracteres no válidos.
+
+
+ Obtiene el identificador URI original de la solicitud.
+ Un que contiene el URI del recurso de Internet pasado a la método.
+
+
+ Obtiene un valor que indica si la solicitud admite un .
+ trueSi la solicitud proporciona compatibilidad para una ; de lo contrario, false.trueSi un se admite; de lo contrario, false.
+
+
+ Obtiene o establece un valor que controla si se envían las credenciales predeterminadas con las solicitudes.
+ Es true si se utilizan las credenciales predeterminadas; en cualquier otro caso, es false.El valor predeterminado es false.
+ Se intentó establecer esta propiedad después de que se enviara la solicitud.
+
+
+
+
+
+ Proporciona una implementación específica de HTTP de la clase .
+
+
+ Obtiene la longitud del contenido devuelto por la solicitud.
+ Número de bytes devueltos por la solicitud.La longitud del contenido no incluye la información de encabezado.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene el tipo de contenido de la respuesta.
+ Cadena que contiene el tipo de contenido de la respuesta.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene o establece las cookies asociadas a esta respuesta.
+ Un objeto que contiene las cookies asociadas a esta respuesta.
+ Se ha eliminado la instancia actual.
+
+
+ Libera los recursos no administrados que usa y, de forma opcional, desecha los recursos administrados.
+ Es true para liberar tanto recursos administrados como no administrados; es false para liberar únicamente recursos no administrados.
+
+
+ Obtiene la secuencia usada para leer el cuerpo de la respuesta del servidor.
+
+ que contiene el cuerpo de la respuesta.
+ No hay secuencia de respuesta.
+ Se ha eliminado la instancia actual.
+
+
+
+
+
+
+
+ Obtiene los encabezados asociados con esta respuesta del servidor.
+
+ que contiene la información de encabezado devuelta con la respuesta.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene el método usado para devolver la respuesta.
+ Cadena que contiene el método HTTP usado para devolver la respuesta.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene el URI del recurso de Internet que respondió a la solicitud.
+ Objeto que contiene el URI del recurso de Internet que respondió a la solicitud.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene el estado de la respuesta.
+ Uno de los valores de .
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene la descripción del estado devuelto con la respuesta.
+ Cadena que describe el estado de la respuesta.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene un valor que indica si se admiten encabezados.
+ Devuelve .Es true si se admiten encabezados; de lo contrario, es false.
+
+
+ Proporciona la interfaz base para crear instancias de .
+
+
+ Crea una instancia de .
+ Instancia de .
+ Identificador de recursos uniforme (URI) del recurso Web.
+ Esta instancia de no admite el esquema de solicitud especificado en .
+
+ es null.
+ En las API de .NET para aplicaciones de la Tienda Windows o en la Biblioteca de clases portable, encuentre la excepción de la clase base, , en su lugar.El identificador URI especificado en no es válido.
+
+
+ Excepción que se produce cuando se produce un error mientras se utiliza un protocolo de red.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase con el mensaje especificado.
+ Cadena con el mensaje de error.
+
+
+ Excepción que se produce cuando se produce un error al obtener acceso a la red mediante un protocolo conectable.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase con el mensaje de error especificado.
+ Texto del mensaje de error.
+
+
+ Inicializa una nueva instancia de la clase con el mensaje de error y la excepción anidada especificados.
+ Texto del mensaje de error.
+ Excepción anidada.
+
+
+ Inicializa una nueva instancia de la clase con el mensaje de error, la excepción anidada, el estado y la respuesta especificados.
+ Texto del mensaje de error.
+ Excepción anidada.
+ Uno de los valores de .
+ Instancia de que contiene la respuesta del host remoto.
+
+
+ Inicializa una nueva instancia de la clase con el mensaje de error y el estado especificados.
+ Texto del mensaje de error.
+ Uno de los valores de .
+
+
+ Obtiene la respuesta que devolvió el host remoto.
+ Si hay una respuesta disponible en el recurso de Internet, se trata de una instancia de que contiene la respuesta de error de un recurso de Internet; en caso contrario, es null.
+
+
+ Obtiene el estado de la respuesta.
+ Uno de los valores de .
+
+
+ Define códigos de estado para la clase .
+
+
+ No se ha podido establecer contacto con el punto de servicio remoto en el nivel de transporte.
+
+
+ Se recibió un mensaje que superaba el límite especificado al enviar una solicitud o recibir una respuesta del servidor.
+
+
+ Está pendiente una solicitud asincrónica interna.
+
+
+ La solicitud se canceló, se llamó al método o se produjo un error no clasificable.Éste es el valor predeterminado de .
+
+
+ No se ha podido enviar una solicitud completa al servidor remoto.
+
+
+ No se ha encontrado ningún error.
+
+
+ Se ha producido una excepción de tipo desconocido.
+
+
+ Realiza una solicitud a un identificador uniforme de recursos (URI).Esta es una clase abstract.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Anula la solicitud
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ Cuando se reemplaza en una clase descendiente, proporciona una versión asincrónica del método .
+
+ que hace referencia a la solicitud asincrónica.
+ Delegado .
+ Objeto que contiene información de estado para esta solicitud asincrónica.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Cuando se reemplaza en una clase descendiente, comienza una solicitud asincrónica de un recurso de Internet.
+
+ que hace referencia a la solicitud asincrónica.
+ Delegado .
+ Objeto que contiene información de estado para esta solicitud asincrónica.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece el tipo de contenido de los datos solicitados que se envían.
+ Tipo de contenido de los datos de la solicitud.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Inicializa una nueva instancia de para el esquema URI especificado.
+ Descendiente para un esquema URI específico.
+ URI que identifica el recurso de Internet.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ Inicializa una nueva instancia de para el esquema URI especificado.
+ Descendiente para el esquema URI especificado.
+
+ que contiene el identificador URI del recurso solicitado.
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ Inicializa una nueva instancia de para la cadena de URI especificada.
+ Devuelve .Instancia de para la cadena de URI concreta.
+ Cadena de URI que identifica el recurso de Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Inicializa una nueva instancia de para el URI especificado.
+ Devuelve .Instancia de para la cadena de URI concreta.
+ URI que identifica el recurso de Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece las credenciales de red utilizadas para autenticar la solicitud con el recurso de Internet.
+
+ que contiene las credenciales de autenticación asociadas a la solicitud.De manera predeterminada, es null.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Obtiene o establece el proxy HTTP global.
+ Objeto usado en cada llamada a las instancias de .
+
+
+ Cuando se reemplaza en una clase descendiente, devuelve para escribir datos en el recurso de Internet.
+
+ donde se escribirán datos.
+
+ que hace referencia a una solicitud pendiente de una secuencia.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Cuando se reemplaza en una clase descendiente, devuelve .
+
+ que contiene una respuesta a la solicitud de Internet.
+
+ que hace referencia a una solicitud de respuesta pendiente.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Cuando se invalida en una clase descendiente, devuelve un objeto para escribir datos en el recurso de Internet como una operación asincrónica.
+ Devuelve .Objeto de tarea que representa la operación asincrónica.
+
+
+ Cuando se invalida en una clase descendiente, devuelve una respuesta a una solicitud de Internet como una operación asincrónica.
+ Devuelve .Objeto de tarea que representa la operación asincrónica.
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece la colección de pares de nombre/valor de encabezado asociados a la solicitud.
+
+ que contiene los pares de nombre/valor de encabezado que están asociados a esta solicitud.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece el método de protocolo que se va a utilizar en esta solicitud.
+ Método de protocolo que se utilizará en esta solicitud.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece el proxy de red que se va a utilizar para tener acceso a este recurso de Internet.
+
+ que se va a utilizar para tener acceso al recurso de Internet.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Registra un descendiente para el identificador URI especificado.
+ Es true si el registro es correcto; en caso contrario, es false.
+ Identificador URI o prefijo URI completo que resuelve el descendiente de .
+ Método de creación al que llama para crear el descendiente .
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene el identificador URI del recurso de Internet asociado a la solicitud.
+
+ que representa el recurso asociado a la solicitud
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece un valor que controla si se envían con las solicitudes.
+ Es true si se utilizan las credenciales predeterminadas; en caso contrario, es false.El valor predeterminado es false.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Proporciona una respuesta desde un identificador de recursos uniforme (URI).Esta es una clase abstract.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece la longitud del contenido de los datos recibidos.
+ Número de bytes devuelto desde el recurso de Internet.
+ Se intenta por todos los medios obtener o establecer la propiedad, cuando la propiedad no se reemplaza en una clase descendiente.
+
+
+
+
+
+ Cuando se realizan omisiones en una clase derivada, obtiene o establece el tipo de contenido de los datos recibidos.
+ Cadena que contiene el tipo de contenido de la respuesta.
+ Se intenta por todos los medios obtener o establecer la propiedad, cuando la propiedad no se reemplaza en una clase descendiente.
+
+
+
+
+
+ Libera los recursos no administrados que usa el objeto .
+
+
+ Libera los recursos no administrados que usa el objeto y, de forma opcional, desecha los recursos administrados.
+ Es true para liberar tanto recursos administrados como no administrados; es false para liberar únicamente recursos no administrados.
+
+
+ Cuando se reemplaza en una clase descendiente, se devuelve el flujo de datos desde el recurso de Internet.
+ Instancia de la clase para leer los datos procedentes del recurso de Internet.
+ Se intenta por todos los medios tener acceso al método, cuando el método no se reemplaza en una clase descendiente.
+
+
+
+
+
+ Cuando se realizan omisiones en una clase derivada, obtiene una colección de pares de nombre-valor de encabezado asociados a esta solicitud.
+ Instancia de la clase que contiene los valores de encabezado asociados a esta respuesta.
+ Se intenta por todos los medios obtener o establecer la propiedad, cuando la propiedad no se reemplaza en una clase descendiente.
+
+
+
+
+
+ Cuando se reemplaza en una clase derivada, obtiene el identificador URI del recurso de Internet que respondió a la solicitud.
+ Instancia de la clase que contiene el identificador URI del recurso de Internet que respondió a la solicitud.
+ Se intenta por todos los medios obtener o establecer la propiedad, cuando la propiedad no se reemplaza en una clase descendiente.
+
+
+
+
+
+ Obtiene un valor que indica si se admiten encabezados.
+ Devuelve .Es true si se admiten encabezados; de lo contrario, es false.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/fr/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/fr/System.Net.Requests.xml
new file mode 100644
index 0000000..0bf225f
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/fr/System.Net.Requests.xml
@@ -0,0 +1,530 @@
+
+
+
+ System.Net.Requests
+
+
+
+ Fournit une implémentation propre à HTTP de la classe .
+
+
+ Annule une requête adressée à une ressource Internet.
+
+
+
+
+
+
+
+ Obtient ou définit la valeur de l'en-tête HTTP Accept.
+ Valeur de l'en-tête HTTP Accept.La valeur par défaut est null.
+
+
+ Obtient ou définit une valeur indiquant si les données reçues à partir de la ressource Internet doivent être mises en mémoire tampon.
+ truedans la mémoire tampon reçues à partir de la ressource Internet ; Sinon, false.true pour activer la mise en mémoire tampon des données lues à partir de la ressource Internet ; false pour désactiver la mise en mémoire tampon.La valeur par défaut est true.
+
+
+ Démarre une requête asynchrone d'un objet à utiliser pour écrire des données.
+
+ qui fait référence à la requête asynchrone.
+ Délégué .
+ Objet d'état de cette requête.
+ La propriété est GET ou HEAD.ou La propriété a la valeur true, la propriété a la valeur false, la propriété a la valeur -1, la propriété a la valeur false et la propriété a la valeur POST ou PUT.
+ Le flux est actuellement utilisé par un appel antérieur à .ou Une valeur est affectée à la propriété et la propriété est false.ou Le pool de threads dispose d'un nombre insuffisant de threads.
+ Le validateur de cache de la requête a indiqué que la réponse à cette requête peut être fournie à partir du cache ; toutefois, les requêtes qui écrivent des données ne doivent pas utiliser le cache.Cette exception peut se produire si vous utilisez un validateur de cache personnalisé qui est implémenté de manière incorrecte.
+ La méthode a été appelée au préalable.
+ Dans une application .NET Compact Framework, un flux de requête avec une longueur de contenu nulle n'a pas été obtenu ni fermé correctement.Pour plus d'informations sur la gestion de requêtes avec une longueur de contenu nulle, consultez Network Programming in the .NET Compact Framework.
+
+
+
+
+
+
+
+
+
+
+ Démarre une requête asynchrone adressée à une ressource Internet.
+
+ qui fait référence à la requête asynchrone d'une réponse.
+ Délégué .
+ Objet d'état de cette requête.
+ Le flux est déjà utilisé par un appel antérieur à .ou Une valeur est affectée à la propriété et la propriété est false.ou Le pool de threads dispose d'un nombre insuffisant de threads.
+ La propriété a la valeur GET ou HEAD et la propriété est supérieure à zéro ou la propriété est true.ou La propriété a la valeur true, la propriété a la valeur false et la propriété a la valeur -1, la propriété a la valeur false et la propriété a la valeur POST ou PUT.ou Le a un corps d'entité, mais la méthode est appelée sans appeler la méthode . ou Le est supérieur à zéro, mais l'application n'écrit pas toutes les données promises.
+ La méthode a été appelée au préalable.
+
+
+
+
+
+
+
+
+
+
+ Obtient ou définit la valeur de l'en-tête HTTP Content-type.
+ Valeur de l'en-tête HTTP Content-type.La valeur par défaut est null.
+
+
+ Obtient ou définit le délai d'attente, en millisecondes, jusqu'à réception de la réponse 100-Continue depuis le serveur.
+ Délai d'attente, en millisecondes, jusqu'à réception de la réponse 100-Continue.
+
+
+ Obtient ou définit les cookies associés à la requête.
+
+ contenant les cookies associés à cette requête.
+
+
+ Obtient ou définit les informations d'authentification pour la requête.
+
+ qui contient les informations d'authentification associées à la requête.La valeur par défaut est null.
+
+
+
+
+
+ Met fin à une requête asynchrone d'un objet à utiliser pour écrire des données.
+
+ à utiliser pour écrire les données de la requête.
+ Requête d'un flux en attente.
+
+ a la valeur null.
+ La requête ne s'est pas achevée et aucun flux n'est disponible.
+
+ n'a pas été retourné par l'instance actuelle à partir d'un appel à la méthode .
+ Cette méthode a été appelée au préalable à l'aide de .
+ La méthode a été appelée au préalable.ou Une erreur s'est produite pendant le traitement de la requête.
+
+
+
+
+
+
+
+ Termine une requête asynchrone adressée à une ressource Internet.
+
+ contenant la réponse de la ressource Internet.
+ Requête d'une réponse en attente.
+
+ a la valeur null.
+ Cette méthode a été appelée au préalable à l'aide de ou La propriété est supérieure à 0, mais les données n'ont pas été écrites dans le flux de requête.
+ La méthode a été appelée au préalable.ou Une erreur s'est produite pendant le traitement de la requête.
+
+ n'a pas été retourné par l'instance actuelle à partir d'un appel à la méthode .
+
+
+
+
+
+
+
+ Obtient une valeur indiquant si une réponse a été reçue d'une ressource Internet.
+ true si une réponse a été reçue ; sinon, false.
+
+
+ Spécifie une collection de paires nom-valeur qui composent les en-têtes HTTP.
+
+ contenant les paires nom-valeur qui composent les en-têtes de la requête HTTP.
+ La requête a été lancée suite à l'appel de la méthode , , ou .
+
+
+
+
+
+ Obtient ou définit la méthode pour la requête.
+ Méthode de requête à utiliser pour contacter la ressource Internet.La valeur par défaut est GET.
+ Aucune méthode n'est fournie.ou La chaîne de la méthode contient des caractères non valides.
+
+
+ Obtient l'URI (Uniform Resource Identifier) d'origine de la requête.
+
+ contenant l'URI de la ressource Internet passée à la méthode .
+
+
+ Obtient une valeur qui indique si la requête fournit une prise en charge pour une .
+ trueSi la demande prend en charge une ; Sinon, false.true si un est pris en charge ; sinon, false.
+
+
+ Obtient ou définit une valeur qui contrôle si les informations d'identification par défaut sont envoyées avec les requêtes.
+ true si les informations d'identification par défaut sont utilisées ; sinon, false.La valeur par défaut est false.
+ Vous avez essayé de définir cette propriété après l'envoi de la requête.
+
+
+
+
+
+ Fournit une implémentation propre à HTTP de la classe .
+
+
+ Obtient la longueur du contenu retourné par la demande.
+ Nombre d'octets retournés par la demande.La longueur de contenu n'inclut pas d'informations d'en-tête.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient le type de contenu de la réponse.
+ Chaîne qui contient le type de contenu de la réponse.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient ou définit les cookies qui sont associés à cette réponse.
+
+ qui contient les cookies associés à cette réponse.
+ L'instance actuelle a été supprimée.
+
+
+ Libère les ressources non managées utilisées par et supprime éventuellement les ressources managées.
+ true pour libérer les ressources managées et non managées ; false pour libérer uniquement les ressources non managées.
+
+
+ Obtient le flux qui est utilisé pour lire le corps de la réponse du serveur.
+
+ contenant le corps de la réponse.
+ Il n'y a pas de flux de réponse.
+ L'instance actuelle a été supprimée.
+
+
+
+
+
+
+
+ Obtient du serveur les en-têtes qui sont associés à cette réponse.
+
+ qui contient les informations d'en-tête retournées avec la réponse.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient la méthode qui est utilisée pour retourner la réponse.
+ Chaîne qui contient la méthode HTTP utilisée pour retourner la réponse.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient l'URI de la ressource Internet qui a répondu à la demande.
+
+ qui contient l'URI de la ressource Internet qui a répondu à la demande.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient l'état de la réponse.
+ Une des valeurs de .
+ L'instance actuelle a été supprimée.
+
+
+ Obtient la description d'état retournée avec la réponse.
+ Chaîne qui décrit l'état de la réponse.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient une valeur qui indique si les en-têtes sont pris en charge.
+ Retourne .true si les en-têtes sont pris en charge ; sinon, false.
+
+
+ Fournit l'interface de base pour la création d'instances de .
+
+
+ Crée une instance de .
+ Instance de .
+ URI (Uniform Resource Identifier) de la ressource Web.
+ Le schéma de demande spécifié dans n'est pas pris en charge par cette instance de .
+
+ a la valeur null.
+ Dans les .NET pour applications Windows Store ou la Bibliothèque de classes portable, intercepte l'exception de classe de base, , sinon.L'URI spécifié dans n'est pas un URI valide.
+
+
+ Exception levée en cas d'erreur durant l'utilisation d'un protocole réseau.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe avec le message spécifié.
+ Chaîne du message d'erreur.
+
+
+ Exception levée en cas d'erreur lors de l'accès au réseau via un protocole enfichable.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe avec le message d'erreur spécifié.
+ Texte du message d'erreur.
+
+
+ Initialise une nouvelle instance de la classe avec le message d'erreur et l'exception imbriquée spécifiés.
+ Texte du message d'erreur.
+ Une exception imbriquée.
+
+
+ Initialise une nouvelle instance de la classe avec le message d'erreur, l'exception imbriquée, l'état et la réponse spécifiés.
+ Texte du message d'erreur.
+ Une exception imbriquée.
+ Une des valeurs de .
+ Instance de qui contient la réponse de l'hôte distant.
+
+
+ Initialise une nouvelle instance de la classe avec le message d'erreur et l'état spécifiés.
+ Texte du message d'erreur.
+ Une des valeurs de .
+
+
+ Obtient la réponse retournée par l'hôte distant.
+ Instance de qui contient la réponse d'erreur issue d'une ressource Internet, lorsqu'une réponse est disponible à partir de cette ressource ; sinon, null.
+
+
+ Obtient l'état de la réponse.
+ Une des valeurs de .
+
+
+ Définit les codes d'état pour la classe .
+
+
+ Le point de service distant n'a pas pu être contacté au niveau du transport.
+
+
+ Le message reçu dépassait la limite spécifiée lors de l'envoi d'une demande ou de la réception d'une réponse du serveur.
+
+
+ Une demande asynchrone interne est en attente.
+
+
+ La demande a été annulée, la méthode a été appelée ou une erreur inclassable s'est produite.C'est la valeur par défaut pour .
+
+
+ Une demande complète n'a pas pu être envoyée au serveur distant.
+
+
+ Aucune erreur n'a été rencontrée.
+
+
+ Une exception d'un type inconnu s'est produite.
+
+
+ Effectue une demande à un URI (Uniform Resource Identifier).Il s'agit d'une classe abstract.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Abandonne la demande.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ En cas de substitution dans une classe descendante, fournit une version asynchrone de la méthode .
+ Élément qui référence la demande asynchrone.
+ Délégué .
+ Objet contenant les informations d'état de cette demande asynchrone.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ En cas de substitution dans une classe descendante, démarre une demande asynchrone pour une ressource Internet.
+ Élément qui référence la demande asynchrone.
+ Délégué .
+ Objet contenant les informations d'état de cette demande asynchrone.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ En cas de substitution dans une classe descendante, obtient ou définit le type de contenu des données de demande envoyées.
+ Type de contenu des données de demande.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Initialise une nouvelle instance de pour le modèle d'URI spécifié.
+ Descendant de pour le modèle d'URI spécifique.
+ URI qui identifie la ressource Internet.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ Initialise une nouvelle instance de pour le modèle d'URI spécifié.
+ Descendant de pour le modèle d'URI spécifié.
+ Élément contenant l'URI de la ressource demandée.
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ Initialise une nouvelle instance de pour la chaîne d'URI spécifiée.
+ Retourne .Instance de pour la chaîne d'URI spécifique.
+ Chaîne d'URI qui identifie la ressource Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Initialise une nouvelle instance de pour l'URI spécifié.
+ Retourne .Instance de pour la chaîne d'URI spécifique.
+ URI qui identifie la ressource Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ En cas de substitution dans une classe descendante, obtient ou définit les informations d'identification réseau utilisées pour authentifier la demande auprès de la ressource Internet.
+ Élément contenant les informations d'identification d'authentification associées à la demande.La valeur par défaut est null.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Obtient ou définit le proxy HTTP global.
+ Élément utilisé par chaque appel aux instances de .
+
+
+ En cas de remplacement dans une classe descendante, retourne un élément pour l'écriture de données dans la ressource Internet.
+ Élément dans lequel écrire des données.
+ Élément qui référence une demande en attente pour un flux.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ En cas de remplacement dans une classe descendante, retourne un élément .
+ Élément qui contient une réponse à la demande Internet.
+ Élément qui référence une demande de réponse en attente.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ En cas de remplacement dans une classe descendante, retourne un élément pour l'écriture de données dans la ressource Internet sous forme d'opération asynchrone.
+ Retourne .Objet de tâche représentant l'opération asynchrone.
+
+
+ En cas de substitution dans une classe descendante, retourne une réponse à une demande Internet en tant qu'opération asynchrone.
+ Retourne .Objet de tâche représentant l'opération asynchrone.
+
+
+ En cas de substitution dans une classe descendante, obtient ou définit la collection de paires nom/valeur d'en-tête associées à la demande.
+ Élément qui contient les paires nom/valeur d'en-tête associées à cette demande.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ En cas de substitution dans une classe descendante, obtient ou définit la méthode de protocole à utiliser dans cette demande.
+ Méthode de protocole utilisée dans cette demande.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ En cas de substitution dans une classe descendante, obtient ou définit le proxy réseau à utiliser pour accéder à cette ressource Internet.
+ Élément à utiliser pour accéder à la ressource Internet.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Inscrit un descendant de pour l'URI spécifié.
+ true si l'inscription a réussi ; sinon, false.
+ URI complet ou préfixe d'URI traité par le descendant de .
+ Méthode de création appelée par l'élément pour créer le descendant de .
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ En cas de substitution dans une classe descendante, obtient l'URI de la ressource Internet associée à la demande.
+ Élément représentant la ressource associée à la demande.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ En cas de remplacement dans une classe descendante, obtient ou définit une valeur qui détermine si les éléments sont envoyés avec les demandes.
+ true si les informations d'identification par défaut sont utilisées ; sinon, false.La valeur par défaut est false.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Fournit une réponse provenant d'un URI (Uniform Resource Identifier).Il s'agit d'une classe abstract.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ En cas de substitution dans une classe dérivée, obtient ou définit la longueur du contenu des données reçues.
+ Nombre d'octets retournés par la ressource Internet.
+ Toutes les tentatives possibles sont effectuées pour obtenir ou définir la propriété si celle-ci n'est pas substituée dans une classe descendante.
+
+
+
+
+
+ En cas de substitution dans une classe dérivée, obtient ou définit le type de contenu des données reçues.
+ Chaîne qui contient le type de contenu de la réponse.
+ Toutes les tentatives possibles sont effectuées pour obtenir ou définir la propriété si celle-ci n'est pas substituée dans une classe descendante.
+
+
+
+
+
+ Libère les ressources non managées utilisées par l'objet .
+
+
+ Libère les ressources non managées utilisées par l'objet et supprime éventuellement les ressources managées.
+ true pour libérer les ressources managées et non managées ; false pour libérer uniquement les ressources non managées.
+
+
+ En cas de substitution dans une classe dérivée, retourne le flux de données de la ressource Internet.
+ Instance de la classe pour la lecture de données de la ressource Internet.
+ Toutes les tentatives possibles sont effectuées pour accéder à la méthode si celle-ci n'est pas substituée dans une classe descendante.
+
+
+
+
+
+ En cas de substitution dans une classe dérivée, obtient une collection de paires nom-valeur d'en-tête associées à cette demande.
+ Instance de la classe qui contient les valeurs d'en-tête associées à cette réponse.
+ Toutes les tentatives possibles sont effectuées pour obtenir ou définir la propriété si celle-ci n'est pas substituée dans une classe descendante.
+
+
+
+
+
+ En cas de substitution dans une classe dérivée, obtient l'URI de la ressource Internet qui a réellement répondu à la demande.
+ Instance de la classe qui contient l'URI de la ressource Internet qui a réellement répondu à la demande.
+ Toutes les tentatives possibles sont effectuées pour obtenir ou définir la propriété si celle-ci n'est pas substituée dans une classe descendante.
+
+
+
+
+
+ Obtient une valeur qui indique si les en-têtes sont pris en charge.
+ Retourne .true si les en-têtes sont pris en charge ; sinon, false.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/it/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/it/System.Net.Requests.xml
new file mode 100644
index 0000000..d048d98
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/it/System.Net.Requests.xml
@@ -0,0 +1,523 @@
+
+
+
+ System.Net.Requests
+
+
+
+ Fornisce un'implementazione specifica di HTTP della classe .
+
+
+ Annulla una richiesta a una risorsa Internet.
+
+
+
+
+
+
+
+ Ottiene o imposta il valore dell'intestazione HTTP Accept.
+ Valore dell'intestazione HTTP Accept.Il valore predefinito è null.
+
+
+ Ottiene o imposta un valore che indica se memorizzare nel buffer i dati ricevuti dalla risorsa Internet.
+ trueper memorizzare l'oggetto ricevuto dalla risorsa Internet. in caso contrario, false.true per abilitare la memorizzazione nel buffer dei dati ricevuti dalla risorsa Internet; false per disabilitarla.Il valore predefinito è true.
+
+
+ Avvia una richiesta asincrona per un oggetto da usare per la scrittura dei dati.
+ Oggetto che fa riferimento alla richiesta asincrona.
+ Delegato .
+ Oggetto di stato per la richiesta.
+ La proprietà è GET oppure HEAD.-oppure- è true, è false, è -1, è false e è POST o PUT.
+ Il flusso è utilizzato da una chiamata precedente a -oppure- è impostata su un valore e è false.-oppure- Il pool di thread sta esaurendo i thread.
+ Il validator della cache delle richieste ha indicato che la risposta per questa richiesta può essere soddisfatta dalla cache; tuttavia le richieste che scrivono dati non utilizzano la cache.Questa eccezione può verificarsi se si utilizza un validator personalizzato per la cache non implementato correttamente.
+
+ è stato chiamato precedentemente.
+ In un'applicazione .NET Compact Framework, un flusso di richiesta con una lunghezza del contenuto pari a zero non è stato ottenuto e chiuso in modo corretto.Per ulteriori informazioni sulla gestione di richieste di lunghezza del contenuto pari a zero, vedere Network Programming in the .NET Compact Framework.
+
+
+
+
+
+
+
+
+
+
+ Avvia una richiesta asincrona a una risorsa Internet.
+ Oggetto che fa riferimento alla richiesta asincrona per una risposta.
+ Delegato .
+ Oggetto di stato per la richiesta.
+ Il flusso è già utilizzato da una chiamata precedente a .-oppure- è impostata su un valore e è false.-oppure- Il pool di thread sta esaurendo i thread.
+
+ è GET oppure HEAD e è maggiore di zero o è true.-oppure- è true, è false e è -1, è false e è POST o PUT.-oppure- dispone di un corpo dell'entità ma il metodo viene chiamato senza chiamare il metodo . -oppure- è maggiore di zero, ma l'applicazione non scrive tutti i dati promessi.
+
+ è stato chiamato precedentemente.
+
+
+
+
+
+
+
+
+
+
+ Ottiene o imposta il valore dell'intestazione HTTP Content-type.
+ Valore dell'intestazione HTTP Content-type.Il valore predefinito è null.
+
+
+ Ottiene o imposta un valore di timeout in millisecondi di attesa dopo la ricezione di 100-Continue dal server.
+ Valore di timeout in millisecondi di attesa dopo la ricezione di 100-Continue dal server.
+
+
+ Ottiene o imposta i cookie associati alla richiesta.
+ Oggetto contenente i cookie associati a questa richiesta.
+
+
+ Ottiene o imposta le informazioni sull'autenticazione per la richiesta.
+ Oggetto contenente le credenziali di autenticazione associate alla richiesta.Il valore predefinito è null.
+
+
+
+
+
+ Termina una richiesta asincrona per un oggetto da usare per la scrittura dei dati.
+ Oggetto da usare per scrivere i dati della richiesta.
+ Richiesta in sospeso per un flusso.
+
+ è null.
+ La richiesta non è stata completata e nessun flusso è disponibile.
+
+ non è stato restituito dall'istanza corrente da una chiamata a .
+ Il metodo è stato chiamato in precedenza utilizzando .
+
+ è stato chiamato precedentemente.-oppure- Si è verificato un errore durante l'elaborazione della richiesta.
+
+
+
+
+
+
+
+ Termina una richiesta asincrona a una risorsa Internet.
+ Oggetto contenente la risposta dalla risorsa Internet.
+ La richiesta in sospeso per una risposta.
+
+ è null.
+ Il metodo è stato chiamato in precedenza utilizzando .-oppure- La proprietà è maggiore di 0 ma i dati non sono stati scritti nel flusso di richiesta.
+
+ è stato chiamato precedentemente.-oppure- Si è verificato un errore durante l'elaborazione della richiesta.
+
+ non è stato restituito dall'istanza corrente da una chiamata a .
+
+
+
+
+
+
+
+ Ottiene un valore che indica se una risposta è stata ricevuta da una risorsa Internet.
+ true se è stata ricevuta una risposta; in caso contrario, false.
+
+
+ Specifica una raccolta delle coppie nome/valore che compongono le intestazioni HTTP.
+ Oggetto contenente le coppie nome/valore che compongono le intestazioni della richiesta HTTP.
+ La richiesta è stata avviata chiamando il metodo , , o .
+
+
+
+
+
+ Ottiene o imposta il metodo per la richiesta.
+ Il metodo di richiesta da usare per contattare la risorsa Internet.Il valore predefinito è GET.
+ Non viene fornito alcun metodo.-oppure- La stringa del metodo contiene caratteri non validi.
+
+
+ Ottiene l'URI originale della richiesta.
+ Oggetto contenente l'URI della risorsa Internet passata al metodo .
+
+
+ Ottiene un valore che indica se la richiesta fornisce supporto per un oggetto .
+ trueSe la richiesta fornisce il supporto per un ; in caso contrario, false.true se un oggetto è supportato; in caso contrario, false.
+
+
+ Ottiene o imposta un valore che controlla se le credenziali predefinite sono inviate con le richieste.
+ true se vengono usate le credenziali predefinite; in caso contrario, false.Il valore predefinito è false.
+ Tentativo di impostare questa proprietà dopo l'invio della richiesta.
+
+
+
+
+
+ Fornisce un'implementazione specifica di HTTP della classe .
+
+
+ Ottiene la lunghezza del contenuto restituito dalla richiesta.
+ Numero di byte restituito dalla richiesta.La lunghezza del contenuto non include le informazioni dell'intestazione.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene il tipo di contenuto della risposta.
+ Stringa in cui è presente il tipo di contenuto della risposta.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene o imposta i cookie associati a questa risposta.
+ Oggetto in cui sono contenuti i cookie associati a questa risposta.
+ L'istanza corrente è stata eliminata.
+
+
+ Rilascia le risorse non gestite usate da e, facoltativamente, elimina le risorse gestite.
+ true per rilasciare sia le risorse gestite sia quelle non gestite; false per rilasciare solo le risorse non gestite.
+
+
+ Ottiene il flusso usato per la lettura del corpo della risposta dal server.
+ Oggetto contenente il corpo della risposta.
+ Nessun flusso di risposta.
+ L'istanza corrente è stata eliminata.
+
+
+
+
+
+
+
+ Ottiene le intestazioni associate a questa risposta dal server.
+ Oggetto in cui sono contenute le informazioni di intestazione restituite con la risposta.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene il metodo usato per restituire la risposta.
+ Stringa in cui è contenuto il metodo HTTP usato per restituire la risposta.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene l'URI della risorsa Internet che ha risposto alla richiesta.
+ Oggetto che contiene l'URI della risorsa Internet che ha risposto alla richiesta.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene lo stato della risposta.
+ Uno dei valori di .
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene la descrizione dello stato restituita con la risposta.
+ Stringa in cui è descritto lo stato della risposta.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene un valore che indica se sono supportate le intestazioni.
+ Restituisce .true se le intestazioni sono supportate; in caso contrario, false.
+
+
+ Fornisce l'interfaccia di base per la creazione di istanze di .
+
+
+ Crea un'istanza di .
+ Istanza di .
+ L'Uniform Resource Identifier (URI) della risorsa Web.
+ Lo schema di richiesta specificato in non è supportato da questa istanza .
+
+ è null.
+ Nell'API.NET per le applicazioni Windows o nella Libreria di classi portabile, rilevare piuttosto l'eccezione della classe di base .L'URI specificato in non è valido.
+
+
+ L'eccezione generata quando si verifica un errore durante l'utilizzo di un protocollo di rete.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe con il messaggio specificato.
+ La stringa del messaggio di errore
+
+
+ L'eccezione generata quando si verifica un errore durante l'accesso alla rete tramite un protocollo pluggable.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe con il messaggio di errore specificato.
+ Il testo del messaggio di errore,
+
+
+ Inizializza una nuova istanza della classe con il messaggio di errore e l'eccezione annidata specificati.
+ Il testo del messaggio di errore,
+ Un'eccezione annidata.
+
+
+ Inizializza una nuova istanza della classe con il messaggio di errore, l'eccezione annidata, lo stato e la risposta specificati.
+ Il testo del messaggio di errore,
+ Un'eccezione annidata.
+ Uno dei valori della classe .
+ Istanza di contenente la risposta dall'host remoto.
+
+
+ Inizializza una nuova istanza della classe con il messaggio di errore e lo stato specificati.
+ Il testo del messaggio di errore,
+ Uno dei valori della classe .
+
+
+ Recupera la risposta restituita dall'host remoto.
+ Se una risposta è disponibile dalla risorsa Internet, un'istanza di contenente la risposta di errore da una risorsa Internet; in caso contrario, null.
+
+
+ Ottiene lo stato della risposta.
+ Uno dei valori della classe .
+
+
+ Definisce i codici di stato per la classe .
+
+
+ Non è stato possibile contattare il punto di servizio remoto a livello di trasporto.
+
+
+ È stato ricevuto un messaggio che ha superato il limite specificato durante l'invio di una richiesta o durante la ricezione di una risposta dal server.
+
+
+ Una richiesta asincrona interna è in sospeso.
+
+
+ La richiesta è stata annullata, il metodo è stato chiamato o si è verificato un errore non classificabile.Questo è il valore predefinito per .
+
+
+ Non è stato possibile inviare una richiesta completa al server remoto.
+
+
+ Non si è verificato alcun errore.
+
+
+ Si è verificata un'eccezione di tipo sconosciuto.
+
+
+ Esegue una richiesta a un URI (Uniform Resource Identifier).Questa è una classe abstract.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Interrompe la richiesta.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe discendente, fornisce una versione asincrona del metodo .
+ Oggetto che fa riferimento alla richiesta asincrona.
+ Delegato .
+ Oggetto contenente le informazioni di stato per la richiesta asincrona.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, avvia una richiesta asincrona per una risorsa Internet.
+ Oggetto che fa riferimento alla richiesta asincrona.
+ Delegato .
+ Oggetto contenente le informazioni di stato per la richiesta asincrona.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta il tipo di contenuto dei dati inviati per la richiesta.
+ Tipo di contenuto dei dati della richiesta.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Inizializza una nuova istanza di per lo schema URI specificato.
+ Oggetto discendente per lo schema URI specificato.
+ URI che identifica la risorsa Internet.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ Inizializza una nuova istanza di per lo schema URI specificato.
+ Oggetto discendente per lo schema URI specificato.
+ Oggetto contenente l'URI della risorsa richiesta.
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ Inizializza una nuova istanza di per la stinga URI specificata.
+ Restituisce .Istanza di per la stringa URI specifica.
+ Stringa URI che identifica la risorsa Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Inizializza una nuova istanza di per l'URI specificato.
+ Restituisce .Istanza di per la stringa URI specifica.
+ URI che identifica la risorsa Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta le credenziali di rete usate per l'autenticazione della richiesta con la risorsa Internet.
+ Oggetto che contiene le credenziali di autenticazione associate alla richiesta.Il valore predefinito è null.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Ottiene o imposta il proxy HTTP globale.
+ Oggetto usato da ogni chiamata alle istanze di .
+
+
+ Quando ne viene eseguito l'override in una classe discendente, restituisce un oggetto per la scrittura di dati nella risorsa Internet.
+ Oggetto in cui scrivere i dati.
+ Oggetto che fa riferimento a una richiesta in sospeso di un flusso.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, restituisce un oggetto .
+ Oggetto contenente una risposta alla richiesta Internet.
+ Oggetto che fa riferimento a una richiesta in sospeso di una risposta.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, restituisce un oggetto per la scrittura dei dati nella risorse Internet come operazione asincrona.
+ Restituisce .Oggetto dell'attività che rappresenta l'operazione asincrona.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, restituisce una risposta a una richiesta Internet come operazione asincrona.
+ Restituisce .Oggetto dell'attività che rappresenta l'operazione asincrona.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta la raccolta di coppie nome/valore di intestazione associate alla richiesta.
+ Oggetto che contiene le coppie nome/valore di intestazione associate alla richiesta.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta il metodo di protocollo da usare nella richiesta.
+ Metodo di protocollo da usare nella richiesta.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta il proxy di rete per accedere alla risorsa Internet.
+ Oggetto da usare per accedere alla risorsa Internet.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Registra un oggetto discendente per l'URI specificato.
+ true se la registrazione viene eseguita correttamente; in caso contrario, false.
+ URI completo o prefisso URI gestito dal discendente .
+ Metodo di creazione chiamato da per creare il discendente .
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene l'URI della risorsa Internet associata alla richiesta.
+ Oggetto che rappresenta la risorsa associata alla richiesta.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta un valore che controlla se vengono inviate proprietà con le richieste.
+ true se vengono usate le credenziali predefinite; in caso contrario, false.Il valore predefinito è false.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Fornisce una risposta da un Uniform Resource Identifier (URI).Questa è una classe abstract.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta la lunghezza del contenuto dei dati ricevuti.
+ Numero dei byte restituiti dalla risorsa Internet.
+ Viene eseguito un tentativo per ottenere o impostare la proprietà quando quest'ultima non è sottoposta a override in una classe discendente.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe derivata, ottiene o imposta il tipo del contenuto dei dati ricevuti.
+ Stringa in cui è presente il tipo di contenuto della risposta.
+ Viene eseguito un tentativo per ottenere o impostare la proprietà quando quest'ultima non è sottoposta a override in una classe discendente.
+
+
+
+
+
+ Rilascia le risorse non gestite usate dall'oggetto .
+
+
+ Rilascia le risorse non gestite usate dall'oggetto ed eventualmente elimina le risorse gestite.
+ true per rilasciare sia le risorse gestite sia quelle non gestite; false per rilasciare solo le risorse non gestite.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, restituisce il flusso di dati dalla risorsa Internet.
+ Istanza della classe per la lettura dei dati dalla risorsa Internet.
+ Viene eseguito un tentativo di accedere al metodo quando quest'ultimo non è sottoposto a override in una classe discendente.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe derivata, ottiene una raccolta di coppie nome/valore di intestazione associate alla richiesta.
+ Istanza della classe in cui sono contenuti i valori di intestazione associati alla risposta.
+ Viene eseguito un tentativo per ottenere o impostare la proprietà quando quest'ultima non è sottoposta a override in una classe discendente.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe derivata, ottiene l'URI della risorsa Internet che ha effettivamente risposto alla richiesta.
+ Istanza della classe contenente l'URI della risorsa Internet che ha effettivamente risposto alla richiesta.
+ Viene eseguito un tentativo per ottenere o impostare la proprietà quando quest'ultima non è sottoposta a override in una classe discendente.
+
+
+
+
+
+ Ottiene un valore che indica se sono supportate le intestazioni.
+ Restituisce .true se le intestazioni sono supportate; in caso contrario, false.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/ja/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/ja/System.Net.Requests.xml
new file mode 100644
index 0000000..717b2e6
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/ja/System.Net.Requests.xml
@@ -0,0 +1,559 @@
+
+
+
+ System.Net.Requests
+
+
+
+
+ クラスの HTTP 固有の実装を提供します。
+
+
+ インターネット リソースへの要求を取り消します。
+
+
+
+
+
+
+
+ Accept HTTP ヘッダーの値を取得または設定します。
+ Accept HTTP ヘッダーの値。既定値は null です。
+
+
+ インターネット リソースから受け取ったデータをバッファリングするかどうかを示す値を取得または設定します。
+ trueインターネット リソースから受信されたバッファーに格納するにはそれ以外の場合、falseです。インターネット リソースから受信したデータのバッファリングを有効にする場合は true。バッファリングを無効にする場合は false。既定値は、true です。
+
+
+ データを書き込むために使用する オブジェクトの非同期要求を開始します。
+ 非同期の要求を参照する 。
+
+ デリゲート。
+ この要求に対して使用する状態オブジェクト。
+
+ プロパティが GET または HEAD です。または は true で、 は false で、 は -1 で、 は false で、 は POST または PUT です。
+ ストリームが、 の前回の呼び出しで使用されています。または に値が設定され、 が false です。またはスレッド プールのスレッドが不足しています。
+ 要求のキャッシュ検証コントロールで、この要求の応答がキャッシュから取得できることが示されましたが、データの書き込みを行う要求でキャッシュは使用できません。この例外は、キャッシュ検証コントロールの不適切なカスタム実装を使用した場合に発生することがあります。
+
+ は既に呼び出されました。
+ .NET Compact Framework アプリケーションで、コンテンツ長が 0 の要求ストリームは取得されず、適切に閉じられました。コンテンツ長が 0 の要求の処理の詳細については、「Network Programming in the .NET Compact Framework」を参照してください。
+
+
+
+
+
+
+
+
+
+
+ インターネット リソースへの非同期要求を開始します。
+ 非同期要求の応答を参照する 。
+
+ デリゲート
+ この要求に対して使用する状態オブジェクト。
+ ストリームが、既に の前回の呼び出しで使用されています。または に値が設定され、 が false です。またはスレッド プールのスレッドが不足しています。
+
+ が GET または HEAD で、 が 0 より大きいか、 が true です。または は true で、 は false です。また、 は -1、 は false、 は POST または PUT です。または にはエンティティ本体がありますが、 メソッドを呼び出さずに、 メソッドが呼び出されます。または が 0 より大きいが、アプリケーションが約束されたすべてのデータを書き込むようになっていません。
+
+ は既に呼び出されました。
+
+
+
+
+
+
+
+
+
+
+ Content-type HTTP ヘッダーの値を取得または設定します。
+ Content-type HTTP ヘッダーの値。既定値は null です。
+
+
+ 100 回の続行まで待機するミリ秒単位のタイムアウト値をサーバーから取得または設定します。
+ 100 回の続行まで待機するミリ秒単位のタイムアウト値。
+
+
+ 要求に関連付けられているクッキーを取得または設定します。
+ この要求に関連付けられているクッキーを格納している 。
+
+
+ 要求に対して使用する認証情報を取得または設定します。
+ 要求と関連付けられた認証資格情報を格納する 。既定値は、null です。
+
+
+
+
+
+ データを書き込むために使用する オブジェクトの非同期要求を終了します。
+ 要求データを書き込むために使用する 。
+ ストリームの保留中の要求。
+
+ は null です。
+ 要求が完了しませんでした。また、ストリームは使用できません。
+ 現在のインスタンスによって、 への呼び出しから が返されませんでした。
+ このメソッドは、 を使用して既に呼び出されています。
+
+ は既に呼び出されました。または要求の処理中にエラーが発生しました。
+
+
+
+
+
+
+
+ インターネット リソースへの非同期要求を終了します。
+ インターネット リソースからの応答を格納している 。
+ 応答の保留中の要求。
+
+ は null です。
+ このメソッドは、 を使用して既に呼び出されています。または プロパティが 0 を超えていますが、データが要求ストリームに書き込まれていません。
+
+ は既に呼び出されました。または要求の処理中にエラーが発生しました。
+
+ was not returned by the current instance from a call to .
+
+
+
+
+
+
+
+ インターネット リソースから応答が受信されたかどうかを示す値を取得します。
+ 応答を受信した場合は true。それ以外の場合は false。
+
+
+ HTTP ヘッダーを構成する名前と値のペアのコレクションを指定します。
+ HTTP 要求のヘッダーを構成する名前と値のペアを格納している 。
+ 要求が 、、、または の各メソッドの呼び出しによって開始されました。
+
+
+
+
+
+ 要求に対して使用するメソッドを取得または設定します。
+ インターネット リソースと通信するために使用する要求メソッド。既定値は GET です。
+ メソッドが指定されていません。またはメソッドの文字列に無効な文字が含まれています。
+
+
+ 要求の元の URI (Uniform Resource Identifier) を取得します。
+
+ メソッドに渡されたインターネット リソースの URI を格納している 。
+
+
+ 要求が をサポートするかどうかを示す値を取得します。
+ true要求のサポートを提供する場合、です。それ以外の場合、falseです。true if a is supported; otherwise, false.
+
+
+ 既定の資格情報が要求と共に送信されるかどうかを制御する 値を取得または設定します。
+ 既定の資格情報を使用する場合は true。それ以外の場合は false。既定値は false です。
+ 要求が送信された後で、このプロパティを設定しようとしました。
+
+
+
+
+
+
+ クラスの HTTP 固有の実装を提供します。
+
+
+ 要求で返されるコンテンツ長を取得します。
+ 要求で返されるバイト数。コンテンツ長には、ヘッダー情報は含まれません。
+ 現在のインスタンスは破棄されています。
+
+
+ 応答のコンテンツ タイプを取得します。
+ 応答のコンテンツ タイプを格納する文字列。
+ 現在のインスタンスは破棄されています。
+
+
+ この応答に関連付けられているクッキーを取得または設定します。
+ この要求に関連付けられているクッキーを格納する 。
+ 現在のインスタンスは破棄されています。
+
+
+
+ が使用しているアンマネージ リソースを解放します。オプションでマネージ リソースも破棄します。
+ マネージ リソースとアンマネージ リソースの両方を解放する場合は true。アンマネージ リソースだけを解放する場合は false。
+
+
+ サーバーから応答の本文を読み取るために使用するストリームを取得します。
+ 応答の本文を格納している 。
+ 応答ストリームがありません。
+ 現在のインスタンスは破棄されています。
+
+
+
+
+
+
+
+ 応答に関連付けられているヘッダーをサーバーから取得します。
+ 応答で返されるヘッダー情報を格納する 。
+ 現在のインスタンスは破棄されています。
+
+
+ 応答を返すために使用するメソッドを取得します。
+ 応答を返すために使用する HTTP メソッドを格納する文字列。
+ 現在のインスタンスは破棄されています。
+
+
+ 要求に応答したインターネット リソースの URI を取得します。
+ 要求に応答したインターネット リソースの URI を格納する 。
+ 現在のインスタンスは破棄されています。
+
+
+ 応答のステータスを取得します。
+
+ 値の 1 つ。
+ 現在のインスタンスは破棄されています。
+
+
+ 応答で返されるステータス記述を取得します。
+ 応答のステータスを記述する文字列。
+ 現在のインスタンスは破棄されています。
+
+
+ ヘッダーがサポートされているかどうかを示す値を取得します。
+
+ を返します。ヘッダーがサポートされる場合は true。それ以外の場合は false。
+
+
+
+ インスタンスを作成するための基本インターフェイスを提供します。
+
+
+
+ インスタンスを作成します。
+
+ のインスタンス。
+ Web リソースの URI。
+
+ で指定された要求スキームは、この インスタンスではサポートされません。
+
+ は null なので、
+ Windows ストア アプリのための .NET または汎用性のあるクラス ライブラリで、基本クラスの例外 を代わりにキャッチします。 で指定された URI が有効な URI ではありません。
+
+
+ ネットワーク プロトコルの使用中にエラーが発生した場合にスローされる例外。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ 指定したメッセージを使用して、 クラスの新しいインスタンスを初期化します。
+ エラー メッセージ文字列。
+
+
+ プラグ可能プロトコルによるネットワークへのアクセスでエラーが発生した場合にスローされる例外。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを、指定したエラー メッセージを使用して初期化します。
+ エラー メッセージのテキスト。
+
+
+
+ クラスの新しいインスタンスを、指定したエラー メッセージと入れ子になった例外を使用して初期化します。
+ エラー メッセージのテキスト。
+ 入れ子になった例外。
+
+
+
+ クラスの新しいインスタンスを、指定したエラー メッセージ、入れ子になった例外、ステータス、および応答を使用して初期化します。
+ エラー メッセージのテキスト。
+ 入れ子になった例外。
+
+ 値の 1 つ。
+ リモート ホストからの応答を格納する インスタンス。
+
+
+
+ クラスの新しいインスタンスを、指定したエラー メッセージとステータスを使用して初期化します。
+ エラー メッセージのテキスト。
+
+ 値の 1 つ。
+
+
+ リモート ホストが返す応答を取得します。
+ インターネット リソースから応答がある場合は、インターネット リソースからのエラー応答を格納した インスタンス。それ以外の場合は null。
+
+
+ 応答のステータスを取得します。
+
+ 値の 1 つ。
+
+
+
+ クラスのステータス コードを定義します。
+
+
+ トランスポート レベルで、リモート サービス ポイントと通信できませんでした。
+
+
+ サーバーに要求を送信、またはサーバーからの応答を受信しているときに、制限長を超えるメッセージが渡されました。
+
+
+ 内部非同期要求が保留中です。
+
+
+ 要求が取り消されたか、 メソッドが呼び出されたか、または分類できないエラーが発生しました。これは、 の既定値です。
+
+
+ 完全な要求をリモート サーバーに送信できませんでした。
+
+
+ エラーは発生しませんでした。
+
+
+ 未知の種類の例外が発生しました。
+
+
+ Uniform Resource Identifier (URI) に対する要求を実行します。これは abstract クラスです。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ 要求を中止します。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ 派生クラスでオーバーライドされると、 メソッドの非同期バージョンを提供します。
+ 非同期の要求を参照する 。
+
+ デリゲート。
+ 非同期要求の状態情報を格納するオブジェクト。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースの非同期要求を開始します。
+ 非同期の要求を参照する 。
+
+ デリゲート。
+ 非同期要求の状態情報を格納するオブジェクト。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 派生クラスでオーバーライドされると、送信している要求データのコンテンツ タイプを取得または設定します。
+ 要求データのコンテンツ タイプ。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 指定した URI スキーム用に新しい のインスタンスを初期化します。
+ 特定の URI スキーム用の 派生クラス。
+ インターネット リソースを識別する URI。
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ 指定した URI スキーム用に新しい のインスタンスを初期化します。
+ 指定した URI スキーム用の 派生クラス。
+ 要求されたリソースの URI を格納する 。
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ 指定した URI 文字列用に新しい インスタンスを初期化します。
+
+ を返します。指定した URI 文字列の インスタンス。
+ インターネット リソースを識別する URI 文字列。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 指定した URI 用に新しい インスタンスを初期化します。
+
+ を返します。指定した URI 文字列の インスタンス。
+ インターネット リソースを識別する URI。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースを使用して要求を認証するために使用されるネットワーク資格情報を取得または設定します。
+ 要求に関連付けられた認証資格情報を格納する 。既定値は、null です。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ グローバル HTTP プロキシを取得または設定します。
+
+ のインスタンスへのすべての呼び出しで使用される 。
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースにデータを書き込むための を返します。
+ データを書き込む 。
+ ストリームの保留中の要求を参照する 。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 派生クラスでオーバーライドされると、 を返します。
+ インターネット要求への応答を格納する 。
+ 応答に対する保留中の要求を参照する 。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースへのデータ書き込みの を非同期操作として返します。
+
+ を返します。非同期操作を表すタスク オブジェクト。
+
+
+ 派生クラスでオーバーライドされると、インターネット要求への応答を非同期操作として返します。
+
+ を返します。非同期操作を表すタスク オブジェクト。
+
+
+ 派生クラスでオーバーライドされると、要求に関連付けられたヘッダーの名前/値ペアのコレクションを取得または設定します。
+ 要求に関連付けられたヘッダーの名前/値ペアを格納する 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 派生クラスでオーバーライドされると、要求で使用するプロトコル メソッドを取得または設定します。
+ 要求で使用するプロトコル メソッド。
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースにアクセスするために使用するネットワーク プロキシを取得または設定します。
+ インターネット リソースにアクセスするために使用する 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 指定した URI 用の 派生クラスを登録します。
+ 登録が成功した場合は true。それ以外の場合は false。
+
+ 派生クラスが処理する完全な URI または URI プレフィックス。
+
+ が 派生クラスを作成するために呼び出す作成メソッド。
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ 派生クラスでオーバーライドされると、要求に関連付けられたインターネット リソースの URI を取得します。
+ 要求に関連付けられているリソースを表す 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 派生クラスでオーバーライドされる場合、 が要求と共に送信されるかどうかを制御する 値を取得または設定します。
+ 既定の資格情報を使用する場合は true。それ以外の場合は false。既定値は false です。
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ URI (Uniform Resource Identifier) からの応答を利用できるようにします。これは abstract クラスです。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ 派生クラスでオーバーライドされると、受信しているデータのコンテンツ長を取得または設定します。
+ インターネット リソースから返されるバイト数。
+ プロパティが派生クラスでオーバーライドされていないのに、そのプロパティの取得または設定が試行されました。
+
+
+
+
+
+ 派生クラスでオーバーライドされると、受信しているデータのコンテンツ タイプを取得または設定します。
+ 応答のコンテンツ タイプを格納する文字列。
+ プロパティが派生クラスでオーバーライドされていないのに、そのプロパティの取得または設定が試行されました。
+
+
+
+
+
+
+ オブジェクトによって使用されているアンマネージ リソースを解放します。
+
+
+
+ オブジェクトによって使用されているアンマネージ リソースを解放します。オプションとして、マネージ リソースを破棄することもできます。
+ マネージ リソースとアンマネージ リソースの両方を解放する場合は true。アンマネージ リソースだけを解放する場合は false。
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースからデータ ストリームを返します。
+ インターネット リソースからデータを読み取るための クラスのインスタンス。
+ メソッドが派生クラスでオーバーライドされていないのに、そのメソッドへのアクセスが試行されました。
+
+
+
+
+
+ 派生クラスでオーバーライドされると、この要求に関連付けられたヘッダーの名前と値のペアのコレクションを取得します。
+ この応答に関連付けられているヘッダーの値を格納している クラスのインスタンス。
+ プロパティが派生クラスでオーバーライドされていないのに、そのプロパティの取得または設定が試行されました。
+
+
+
+
+
+ 派生クラスでオーバーライドされると、要求に実際に応答したインターネット リソースの URI を取得します。
+ 要求に実際に応答したインターネット リソースの URI を格納する クラスのインスタンス。
+ プロパティが派生クラスでオーバーライドされていないのに、そのプロパティの取得または設定が試行されました。
+
+
+
+
+
+ ヘッダーがサポートされているかどうかを示す値を取得します。
+
+ を返します。ヘッダーがサポートされる場合は true。それ以外の場合は false。
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/ko/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/ko/System.Net.Requests.xml
new file mode 100644
index 0000000..7fd3462
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/ko/System.Net.Requests.xml
@@ -0,0 +1,556 @@
+
+
+
+ System.Net.Requests
+
+
+
+
+ 클래스의 HTTP 관련 구현을 제공합니다.
+
+
+ 인터넷 리소스에 대한 요청을 취소합니다.
+
+
+
+
+
+
+
+ Accept HTTP 헤더의 값을 가져오거나 설정합니다.
+ Accept HTTP 헤더의 값입니다.기본값은 null입니다.
+
+
+ 인터넷 리소스에서 받은 데이터를 버퍼링할지 여부를 나타내는 값을 가져오거나 설정합니다.
+ true인터넷 리소스에서 받은 버퍼에 그렇지 않은 경우 false.인터넷 리소스에서 받은 데이터를 버퍼링하려면 true이고, 버퍼링하지 않으려면 false입니다.기본값은 true입니다.
+
+
+ 데이터를 쓰는 데 사용할 개체에 대한 비동기 요청을 시작합니다.
+ 비동기 요청을 참조하는 입니다.
+
+ 대리자입니다.
+ 이 요청에 대한 상태 개체입니다.
+
+ 속성이 GET 또는 HEAD인 경우또는 가 true이고, 이 false이고, 가 -1이고, 가 false이고, 가 POST 또는 PUT인 경우
+ 스트림이 에 대한 이전 호출에서 사용되고 있는 경우또는 이 값으로 설정되고 가 false인 경우또는 스레드 풀의 스레드를 모두 사용한 경우
+ 요청 캐시 유효성 검사기에서 이 요청에 대한 응답이 캐시에서 제공될 수 있지만 데이터를 쓰는 요청의 경우 캐시를 사용하지 않아야 함을 나타내는 경우.이 예외는 제대로 구현되지 않은 사용자 지정 캐시 유효성 검사기를 사용하려는 경우에 발생할 수 있습니다.
+
+ 를 이미 호출한 경우
+ .NET Compact Framework 응용 프로그램에서 콘텐츠 길이가 0인 요청 스트림을 올바르게 가져오고 닫지 않은 경우.콘텐츠 길이가 0인 요청을 처리하는 방법에 대한 자세한 내용은 Network Programming in the .NET Compact Framework을 참조하십시오.
+
+
+
+
+
+
+
+
+
+
+ 인터넷 리소스에 대한 비동기 요청을 시작합니다.
+ 응답에 대한 비동기 요청을 참조하는 입니다.
+
+ 대리자
+ 이 요청에 대한 상태 개체입니다.
+ 스트림이 에 대한 이전 호출에서 사용되고 있는 경우또는 이 값으로 설정되고 가 false인 경우또는 스레드 풀의 스레드를 모두 사용한 경우
+
+ 가 GET 또는 HEAD이고, 가 0보다 크거나 가 true인 경우또는 가 true이고, 이 false이고, 가 -1이고, 가 false이고, 가 POST 또는 PUT인 경우또는 에는 엔터티 본문이 있지만 메서드는 메서드를 호출하지 않고 호출됩니다. 또는 는 0보다 크지만 응용 프로그램은 약속된 모든 데이터를 쓰지 않습니다.
+
+ 를 이미 호출한 경우
+
+
+
+
+
+
+
+
+
+
+ Content-type HTTP 헤더의 값을 가져오거나 설정합니다.
+ Content-type HTTP 헤더의 값입니다.기본값은 null입니다.
+
+
+ 서버에서 100-Continue가 수신될 때까지 기다릴 제한 시간(밀리초)을 가져오거나 설정합니다.
+ 100-Continue가 수신될 때까지 기다릴 제한 시간(밀리초)입니다.
+
+
+ 이 요청과 관련된 쿠키를 가져오거나 설정합니다.
+ 이 요청과 관련된 쿠키가 들어 있는 입니다.
+
+
+ 요청에 대한 인증 정보를 가져오거나 설정합니다.
+ 요청과 관련된 인증 자격 증명이 들어 있는 입니다.기본값은 null입니다.
+
+
+
+
+
+ 데이터를 쓰는 데 사용할 개체에 대한 비동기 요청을 끝냅니다.
+ 요청 데이터를 쓰는 데 사용할 입니다.
+ 스트림에 대한 보류 중인 요청입니다.
+
+ 가 null인 경우
+ 요청이 완료되지 않아서 스트림을 사용할 수 없는 경우
+ 현재 인스턴스에서 을 호출한 결과 가 반환되지 않은 경우
+ 이 메서드가 를 사용하여 이미 호출된 경우
+
+ 를 이미 호출한 경우또는 요청을 처리하는 동안 오류가 발생한 경우
+
+
+
+
+
+
+
+ 인터넷 리소스에 대한 비동기 요청을 종료합니다.
+ 인터넷 리소스로부터의 응답이 들어 있는 입니다.
+ 응답에 대해 보류된 요청입니다.
+
+ 가 null인 경우
+ 이 메서드가 를 사용하여 이미 호출되었습니다.또는 속성이 0보다 큰데 데이터를 요청 스트림에 쓰지 않은 경우
+
+ 를 이미 호출한 경우또는 요청을 처리하는 동안 오류가 발생한 경우
+
+ was not returned by the current instance from a call to .
+
+
+
+
+
+
+
+ 인터넷 리소스로부터 응답을 받았는지 여부를 나타내는 값을 가져옵니다.
+ 응답을 받았으면 true이고, 그렇지 않으면 false입니다.
+
+
+ HTTP 헤더를 구성하는 이름/값 쌍의 컬렉션을 지정합니다.
+ HTTP 요청의 헤더를 구성하는 이름/값 쌍이 들어 있는 입니다.
+
+ , , 또는 메서드를 호출하여 요청이 시작된 경우
+
+
+
+
+
+ 요청에 대한 메서드를 가져오거나 설정합니다.
+ 인터넷 리소스에 접속하는 데 사용할 요청 메서드입니다.기본값은 GET입니다.
+ 메서드를 지정하지 않은 경우또는 메서드 문자열에 잘못된 문자가 들어 있는 경우
+
+
+ 요청의 원래 URI(Uniform Resource Identifier)를 가져옵니다.
+
+ 메서드에 전달된 인터넷 리소스의 URI가 들어 있는 입니다.
+
+
+ 요청이 를 지원하는지 여부를 나타내는 값을 가져옵니다.
+ true요청에 대 한 지원을 제공 하는 경우는 ; 그렇지 않은 경우 false.가 지원되면 true이고, 그렇지 않으면 false입니다.
+
+
+ 기본 자격 증명을 요청과 함께 보내는지 여부를 제어하는 값을 가져오거나 설정합니다.
+ 기본 자격 증명이 사용되면 true이고, 그렇지 않으면 false입니다.기본값은 false입니다.
+ 요청을 보낸 후에 이 속성을 설정하려고 한 경우
+
+
+
+
+
+
+ 클래스의 HTTP 관련 구현을 제공합니다.
+
+
+ 요청이 반환하는 콘텐츠의 길이를 가져옵니다.
+ 요청이 반환한 바이트 수입니다.콘텐츠 길이에는 헤더 정보가 포함되지 않습니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 응답의 콘텐츠 형식을 가져옵니다.
+ 응답의 콘텐츠 형식이 들어 있는 문자열입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 이 응답과 관련된 쿠키를 가져오거나 설정합니다.
+ 이 응답과 관련된 쿠키가 들어 있는 입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+
+ 에서 사용하는 관리되지 않는 리소스를 해제하고, 관리되는 리소스를 선택적으로 삭제할 수 있습니다.
+ 관리되는 리소스와 관리되지 않는 리소스를 모두 해제하려면 true, 관리되지 않는 리소스만 해제하려면 false입니다.
+
+
+ 서버에서 응답 본문을 읽는 데 사용되는 스트림을 가져옵니다.
+ 응답 본문을 포함하는 입니다.
+ 응답 스트림이 없는 경우
+ 현재 인스턴스가 삭제된 경우
+
+
+
+
+
+
+
+ 서버에서 이 응답과 관련된 헤더를 가져옵니다.
+ 응답과 함께 반환되는 헤더 정보를 포함하는 입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 응답을 반환하는 데 사용되는 메서드를 가져옵니다.
+ 응답을 반환하는 데 사용되는 HTTP 메서드를 포함하는 문자열입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 요청에 응답한 인터넷 리소스의 URI를 가져옵니다.
+ 요청에 응답한 인터넷 리소스의 URI를 포함하는 입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 응답 상태를 가져옵니다.
+
+ 값 중 하나입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 응답과 함께 반환되는 상태 설명을 가져옵니다.
+ 응답의 상태를 설명하는 문자열입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 헤더가 지원되는지 여부를 나타내는 값을 가져옵니다.
+
+ 를 반환합니다.헤더가 지원되면 true이고, 지원되지 않으면 false입니다.
+
+
+
+ 인스턴스를 만들기 위해 기본 인터페이스를 제공합니다.
+
+
+
+ 인스턴스를 만듭니다.
+
+ 인스턴스입니다.
+ 웹 리소스의 URI(Uniform Resource Identifier)입니다.
+
+ 에 지정된 요청 체계가 이 인스턴스에서 지원되지 않습니다.
+
+ 가 null입니다.
+ Windows 스토어 앱용 .NET 또는 이식 가능한 클래스 라이브러리에서 대신 기본 클래스 예외 를 catch합니다.에 지정된 URI가 유효하지 않은 경우
+
+
+ 네트워크 프로토콜을 사용하는 동안 오류가 발생하면 throw되는 예외입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 지정된 메시지를 사용하여 클래스의 새 인스턴스를 초기화합니다.
+ 오류 메시지 문자열입니다.
+
+
+ 플러그형 프로토콜로 네트워크에 액세스하는 동안 오류가 발생하면 throw되는 예외입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 지정된 오류 메시지를 사용하여 클래스의 새 인스턴스를 초기화합니다.
+ 오류 메시지 텍스트입니다.
+
+
+ 지정된 오류 메시지와 중첩된 예외를 사용하여 클래스의 새 인스턴스를 초기화합니다.
+ 오류 메시지 텍스트입니다.
+ 중첩된 예외입니다.
+
+
+ 지정된 오류 메시지, 중첩된 예외, 상태 및 응답을 사용하여 클래스의 새 인스턴스를 초기화합니다.
+ 오류 메시지 텍스트입니다.
+ 중첩된 예외입니다.
+
+ 값 중 하나입니다.
+ 원격 호스트에서 보낸 응답이 들어 있는 인스턴스입니다.
+
+
+ 지정된 오류 메시지와 상태를 사용하여 클래스의 새 인스턴스를 초기화합니다.
+ 오류 메시지 텍스트입니다.
+
+ 값 중 하나입니다.
+
+
+ 원격 호스트에서 반환된 응답을 가져옵니다.
+ 인터넷 리소스에서 응답을 가져올 수 있으면 인터넷 리소스의 오류 응답이 포함된 인스턴스이고, 그렇지 않으면 null입니다.
+
+
+ 응답 상태를 가져옵니다.
+
+ 값 중 하나입니다.
+
+
+
+ 클래스에 대한 상태 코드를 정의합니다.
+
+
+ 전송 수준에서 원격 서비스 지점에 접속할 수 없습니다.
+
+
+ 서버에 요청을 보내거나 서버에서 응답을 받을 때 지정된 제한 시간을 초과했다는 메시지를 받았습니다.
+
+
+ 내부 비동기 요청이 보류 중입니다.
+
+
+ 요청이 취소되었거나, 메서드가 호출되었거나, 알 수 없는 오류가 발생했습니다.의 기본값입니다.
+
+
+ 원격 서버에 전체 요청을 보낼 수 없습니다.
+
+
+ 오류가 발생하지 않았습니다.
+
+
+ 알 수 없는 유형의 예외가 발생했습니다.
+
+
+ URI(Uniform Resource Identifier)에 대한 요청을 만듭니다.이 클래스는 abstract 클래스입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 요청을 중단합니다.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ 서브클래스에서 재정의될 때, 메서드의 비동기 버전을 제공합니다.
+ 비동기 요청을 참조하는 입니다.
+
+ 대리자입니다.
+ 이 비동기 요청에 대한 상태 정보가 들어 있는 개체입니다.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 하위 항목 클래스에서 재정의될 때, 인터넷 리소스에 대한 비동기 요청을 시작합니다.
+ 비동기 요청을 참조하는 입니다.
+
+ 대리자입니다.
+ 이 비동기 요청에 대한 상태 정보가 들어 있는 개체입니다.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 하위 항목 클래스에서 재정의될 때, 전송 중인 요청 데이터의 콘텐츠 형식을 가져오거나 설정합니다.
+ 요청 데이터의 콘텐츠 형식입니다.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 지정된 URI 체계에 대한 새 인스턴스를 초기화합니다.
+ 특정 URI 체계에 대한 하위 항목입니다.
+ 인터넷 리소스를 식별하는 URI입니다.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ 지정된 URI 체계에 대한 새 인스턴스를 초기화합니다.
+ 지정된 URI 체계에 대한 하위 항목입니다.
+ 요청된 리소스의 URI가 포함된 입니다.
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ 지정된 URI 문자열에 대한 새 인스턴스를 초기화합니다.
+
+ 를 반환합니다.지정된 URI 문자열에 대한 인스턴스입니다.
+ 인터넷 리소스를 식별하는 URI 문자열입니다.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 지정된 URI에 대한 새 인스턴스를 초기화합니다.
+
+ 를 반환합니다.지정된 URI 문자열에 대한 인스턴스입니다.
+ 인터넷 리소스를 식별하는 URI입니다.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 하위 항목 클래스에서 재정의될 때, 인터넷 리소스를 사용하여 요청을 인증하는 데 사용되는 네트워크 자격 증명을 가져오거나 설정합니다.
+ 요청과 연결된 인증 자격 증명이 들어 있는 입니다.기본값은 null입니다.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 글로벌 HTTP 프록시를 가져오거나 설정합니다.
+
+ 의 인스턴스를 호출할 때마다 사용되는 입니다.
+
+
+ 서브클래스에서 재정의될 때, 인터넷 리소스에 데이터를 쓰기 위해 을 반환합니다.
+ 데이터를 쓸 입니다.
+ 스트림에 대한 보류 요청을 참조하는 입니다.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 파생 클래스에서 재정의될 때, 를 반환합니다.
+ 인터넷 요청에 대한 응답을 포함하는 입니다.
+ 응답에 대한 보류 요청을 참조하는 입니다.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 서브클래스에서 재정의될 때, 인터넷 리소스에 비동기 작업으로 데이터를 쓰기 위해 을 반환합니다.
+
+ 를 반환합니다.비동기 작업(operation)을 나타내는 작업(task) 개체입니다.
+
+
+ 하위 항목 클래스에 재정의될 때, 인터넷 요청에 대한 응답을 비동기 작업으로 반환합니다.
+
+ 를 반환합니다.비동기 작업(operation)을 나타내는 작업(task) 개체입니다.
+
+
+ 하위 항목 클래스에서 재정의될 때, 요청과 연결된 헤더 이름/값 쌍의 컬렉션을 가져오거나 설정합니다.
+ 요청과 연결된 헤더 이름/값 쌍이 들어 있는 입니다.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 하위 항목 클래스에서 재정의될 때, 이 요청에서 사용할 프로토콜 메서드를 가져오거나 설정합니다.
+ 이 요청에서 사용할 프로토콜 메서드입니다.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ 하위 항목 클래스에서 재정의될 때, 이 인터넷 리소스에 액세스하기 위해 사용할 네트워크 프록시를 가져오거나 설정합니다.
+ 인터넷 리소스에 액세스하기 위해 사용할 입니다.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 지정된 URI에 대한 하위 항목을 등록합니다.
+ 등록이 성공하면 true이고, 그렇지 않으면 false입니다.
+
+ 하위 항목이 서비스하는 완전한 URI나 URI 접두사입니다.
+
+ 하위 항목을 만들기 위해 가 호출하는 생성 메서드입니다.
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ 하위 항목 클래스에서 재정의될 때, 요청과 연결된 인터넷 리소스의 URI를 가져옵니다.
+ 요청과 연결된 리소스를 나타내는 입니다.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 서브클래스에서 재정의된 경우 를 요청과 함께 보낼지 여부를 제어하는 값을 가져오거나 설정합니다.
+ 기본 자격 증명이 사용되면 true이고, 그렇지 않으면 false입니다.기본값은 false입니다.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ URI(Uniform Resource Identifier)에서 응답을 제공합니다.이 클래스는 abstract 클래스입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 서브클래스에서 재정의되는 경우 수신 중인 데이터의 콘텐츠 길이를 가져오거나 설정합니다.
+ 인터넷 리소스에서 반환된 바이트 수입니다.
+ 속성이 서브클래스에서 재정의되지 않았는데 속성을 가져오거나 설정하려 할 경우
+
+
+
+
+
+ 파생 클래스에서 재정의되는 경우 수신 중인 데이터의 콘텐츠 형식을 가져오거나 설정합니다.
+ 응답의 콘텐츠 형식이 들어 있는 문자열입니다.
+ 속성이 서브클래스에서 재정의되지 않았는데 속성을 가져오거나 설정하려 할 경우
+
+
+
+
+
+
+ 개체에서 사용하는 관리되지 않는 리소스를 해제합니다.
+
+
+
+ 개체에서 사용하는 관리되지 않는 리소스를 해제하고 관리되는 리소스를 선택적으로 삭제할 수 있습니다.
+ 관리되는 리소스와 관리되지 않는 리소스를 모두 해제하려면 true, 관리되지 않는 리소스만 해제하려면 false입니다.
+
+
+ 서브클래스에서 재정의되는 경우 인터넷 리소스에서 데이터 스트림을 반환합니다.
+ 인터넷 리소스에서 데이터를 읽기 위한 클래스의 인스턴스입니다.
+ 메서드가 서브클래스에서 재정의되지 않았는데 메서드에 액세스하려 할 경우
+
+
+
+
+
+ 파생 클래스에서 재정의되는 경우 요청과 연결된 헤더 이름/값 쌍의 컬렉션을 가져옵니다.
+ 이 응답과 관련된 헤더 값을 포함하는 클래스의 인스턴스입니다.
+ 속성이 서브클래스에서 재정의되지 않았는데 속성을 가져오거나 설정하려 할 경우
+
+
+
+
+
+ 파생 클래스에서 재정의되는 경우 요청에 실제로 응답하는 인터넷 리소스의 URI를 가져옵니다.
+ 요청에 실제로 응답하는 인터넷 리소스의 URI가 들어 있는 클래스의 인스턴스입니다.
+ 속성이 서브클래스에서 재정의되지 않았는데 속성을 가져오거나 설정하려 할 경우
+
+
+
+
+
+ 헤더가 지원되는지 여부를 나타내는 값을 가져옵니다.
+
+ 를 반환합니다.헤더가 지원되면 true이고, 지원되지 않으면 false입니다.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/ru/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/ru/System.Net.Requests.xml
new file mode 100644
index 0000000..bbf5c3b
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/ru/System.Net.Requests.xml
@@ -0,0 +1,515 @@
+
+
+
+ System.Net.Requests
+
+
+
+ Предоставляет ориентированную на HTTP-протокол реализацию класса .
+
+
+ Отменяет запрос к интернет-ресурсу.
+
+
+
+
+
+
+
+ Получает или задает значение HTTP-заголовка Accept.
+ Значение HTTP-заголовка Accept.Значение по умолчанию — null.
+
+
+ Возвращает или задает значение, которое указывает, будет ли выполняться буферизация данных, полученных от интернет-ресурса.
+ trueбуфер, полученных из Интернет-ресурса; в противном случае — false.Значение true устанавливается для включения буферизации данных, получаемых от интернет-ресурса; значение false — для выключения буферизации.Значение по умолчанию — true.
+
+
+ Начинает асинхронный запрос объекта , используемого для записи данных.
+ Класс , ссылающийся на асинхронный запрос.
+ Делегат .
+ Объект состояния для данного запроса.
+ Значение свойства — GET или HEAD.-или- Значение — true, значение — false, значение — -1, значение — false и значение — POST или PUT.
+ Поток занят предыдущим вызовом -или- Для устанавливается значение, а значение равно false.-или- В пуле потоков заканчиваются потоки.
+ Проверяющий элемент управления кэша запросов указывает, что ответ на этот запрос может быть предоставлен из кэша, однако запросы, записывающие данные, не должны использовать кэш.Это исключение может возникнуть при использовании пользовательского проверяющего элемента управления кэша, который неправильно реализован.
+ Метод был вызван ранее.
+ В приложении .NET Compact Framework поток запроса с длиной содержимого, равной нулю, не был получен и закрыт допустимым образом.Дополнительные сведения об обработке запросов с нулевой длиной содержимого см. в разделе Network Programming in the .NET Compact Framework.
+
+
+
+
+
+
+
+
+
+
+ Начинает асинхронный запрос интернет-ресурса.
+ Объект , ссылающийся на асинхронный запрос ответа.
+ Делегат
+ Объект состояния для данного запроса.
+ Поток уже занят предыдущим вызовом -или- Для устанавливается значение, а значение равно false.-или- В пуле потоков заканчиваются потоки.
+ Значение — GET или HEAD, кроме того или больше нуля, или равно true.-или- Значение — true, значение — false и одно из следующих: значение — -1, значение — false и значение — POST или PUT.-или- имеет тело сущности, но метод вызывается без вызова метода . -или- Значение свойства больше нуля, однако приложение не записывает все обещанные данные.
+ Метод был вызван ранее.
+
+
+
+
+
+
+
+
+
+
+ Получает или задает значение HTTP-заголовка Content-type.
+ Значение HTTP-заголовка Content-type.Значение по умолчанию — null.
+
+
+ Получает или задает время ожидания в миллисекундах до получения ответа 100-Continue с сервера.
+ Время ожидания в миллисекундах до получения ответа 100-Continue.
+
+
+ Возвращает или задает файлы cookie, связанные с запросом.
+ Контейнер , в котором содержатся файлы cookie, связанные с этим запросом.
+
+
+ Возвращает или задает сведения о проверке подлинности для этого запроса.
+ Класс , содержащий учетные данные для проверки подлинности, связанные с этим запросом.Значение по умолчанию — null.
+
+
+
+
+
+ Завершает асинхронный запрос объекта , используемого для записи данных.
+ Объект , используемый для записи данных запроса.
+ Незавершенный запрос потока.
+
+ is null.
+ Запрос не завершен и в наличии нет потока.
+ Параметр не был возвращен текущим экземпляром из вызова .
+ Этот метод был вызван ранее с помощью параметра .
+ Метод был вызван ранее.-или- Произошла ошибка при обработке запроса.
+
+
+
+
+
+
+
+ Завершает асинхронный запрос интернет-ресурса.
+ Объект , содержащий ответ от интернет-ресурса.
+ Незавершенный запрос ответа.
+
+ is null.
+ Этот метод был вызван ранее с помощью параметра -или- Значение свойства больше 0, но данные не были записаны в поток запроса.
+ Метод был вызван ранее.-или- Произошла ошибка при обработке запроса.
+ Параметр не был возвращен текущим экземпляром из вызова .
+
+
+
+
+
+
+
+ Возвращает значение, показывающее, был ли получен ответ от интернет-ресурса.
+ Значение true, если ответ получен, в противном случае — значение false.
+
+
+ Указывает коллекцию пар "имя-значение", из которых создаются заголовки HTTP.
+ Коллекция , содержащая пары "имя-значение", из которых состоят HTTP-заголовки.
+ Запрос начат посредством вызова метода , , или .
+
+
+
+
+
+ Возвращает или задает метод для запроса.
+ Метод запроса, используемый для связи с интернет-ресурсом.Значение по умолчанию — GET.
+ Метод не предоставляется.-или- Строка метода содержит недопустимые знаки.
+
+
+ Возвращает исходный код URI запроса.
+ Объект , который содержит код URI интернет-ресурса, переданный в метод .
+
+
+ Получает значение, которое указывает, поддерживает ли запрос .
+ trueЕсли запрос обеспечивает поддержку для ; в противном случае — false.true, если поддерживается, в противном случае — false.
+
+
+ Получает или задает значение , которое управляет отправкой учетных данных по умолчанию вместе с запросами.
+ Значение равно true, если используются учетные данные по умолчанию, в противном случае — false.Значение по умолчанию — false.
+ Произведена попытка установки этого свойства после отправки запроса.
+
+
+
+
+
+ Предоставляет связанную с HTTP реализацию класса .
+
+
+ Возвращает длину содержимого, возвращаемого запросом.
+ Количество байт, возвращаемых запросом.В длине содержимого не учитываются сведения заголовков.
+ Текущий экземпляр был удален.
+
+
+ Возвращает тип содержимого ответа.
+ Строка, содержащая тип содержимого ответа.
+ Текущий экземпляр был удален.
+
+
+ Возвращает или задает файлы cookie, связанные с этим ответом.
+ Коллекция , в которой содержатся файлы cookie, связанные с этим ответом.
+ Текущий экземпляр был удален.
+
+
+ Освобождает неуправляемые ресурсы, используемые объектом , и при необходимости освобождает также управляемые ресурсы.
+ Значение true для освобождения управляемых и неуправляемых ресурсов; значение false для освобождения только неуправляемых ресурсов.
+
+
+ Возвращает поток, используемый для чтения основного текста ответа с сервера.
+ Объект , содержащий основной текст ответа.
+ Поток ответа отсутствует.
+ Текущий экземпляр был удален.
+
+
+
+
+
+
+
+ Получает с сервера заголовки, связанные с данным ответом.
+ Свойство , содержащее сведения заголовков, возвращаемых с ответом.
+ Текущий экземпляр был удален.
+
+
+ Возвращает метод, используемый для возврата ответа.
+ Строка, содержащая метод HTTP, используемый для возврата ответа.
+ Текущий экземпляр был удален.
+
+
+ Возвращает URI Интернет-ресурса, ответившего на запрос.
+ Объект , который содержит URI Интернет-ресурса, ответившего на запрос.
+ Текущий экземпляр был удален.
+
+
+ Возвращает состояние ответа.
+ Одно из значений .
+ Текущий экземпляр был удален.
+
+
+ Получает описание состояния, возвращаемого с ответом.
+ Строка, описывающая состояние ответа.
+ Текущий экземпляр был удален.
+
+
+ Возвращает значение, указывающее, поддерживаются ли заголовки.
+ Возвращает .Значение true, если заголовки поддерживаются; в противном случае — значение false.
+
+
+ Предоставляет основной интерфейс для создания экземпляров класса .
+
+
+ Создает экземпляр класса .
+ Экземпляр .
+ URI веб-ресурса.
+ Схема запроса, заданная параметром , не поддерживается этим экземпляром .
+ Параметр имеет значение null.
+ В .NET для приложений Магазина Windows или переносимой библиотеке классов вместо этого перехватите исключение базового класса .URI, заданный в , не является допустимым URI.
+
+
+ Исключение, создаваемое при возникновении ошибки во время использования сетевого протокола.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализирует новый экземпляр класса , используя заданное сообщение.
+ Строка сообщения об ошибке.
+
+
+ Исключение создается при появлении ошибки во время доступа к сети через подключаемый протокол.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализирует новый экземпляр класса указанным сообщением об ошибке.
+ Текст сообщения об ошибке.
+
+
+ Инициализирует новый экземпляр класса с указанным сообщением об ошибке и вложенным исключением.
+ Текст сообщения об ошибке.
+ Вложенное исключение.
+
+
+ Инициализирует новый экземпляр класса с указанным сообщением об ошибке, вложенным исключением, статусом и ответом.
+ Текст сообщения об ошибке.
+ Вложенное исключение.
+ Одно из значений .
+ Экземпляр , содержащий ответ от удаленного узла в сети.
+
+
+ Инициализирует новый экземпляр класса с указанным сообщением об ошибке и статусом.
+ Текст сообщения об ошибке.
+ Одно из значений .
+
+
+ Получает ответ, возвращенный удаленным узлом.
+ Если ответ доступен из интернет-ресурсов, экземпляр , содержащий отклик из интернет-ресурса, в противном случае — null.
+
+
+ Возвращает состояние ответа.
+ Одно из значений .
+
+
+ Определяет коды состояния для класса .
+
+
+ С точкой удаленной службы нельзя связаться на транспортном уровне.
+
+
+ Принято сообщение о превышении заданного ограничения при передаче запроса или приеме ответа сервера.
+
+
+ Внутренний асинхронный запрос находится в очереди.
+
+
+ Запрос был отменен, был вызван метод или возникла ошибка, не поддающаяся классификации.Это значение по умолчанию для свойства .
+
+
+ Полный запрос не был передан на удаленный сервер.
+
+
+ Ошибок не было.
+
+
+ Возникло исключение неизвестного типа.
+
+
+ Выполняет запрос к универсальному коду ресурса (URI).Этот класс является абстрактным abstract.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Отменяет запрос
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ Если переопределено во вложенном классе, предоставляет асинхронную версию метода .
+ Класс , ссылающийся на асинхронный запрос.
+ Делегат .
+ Объект, содержащий сведения о состоянии для данного асинхронного запроса.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Если переопределено во вложенном классе, начинает асинхронный запрос интернет-ресурса.
+ Класс , ссылающийся на асинхронный запрос.
+ Делегат .
+ Объект, содержащий сведения о состоянии для данного асинхронного запроса.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Если переопределено во вложенном классе, возвращает или задает длину содержимого запрошенных к передаче данных.
+ Тип содержимого запрошенных данных.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Инициализирует новый экземпляр для заданной схемы URI.
+ Потомок для определенной схемы URI.
+ Универсальный код ресурса (URI), определяющий интернет-ресурс.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ Инициализирует новый экземпляр для заданной схемы URI.
+ Потомок для указанной схемы URI.
+ Объект , содержащий универсальный код запрашиваемого ресурса (URI).
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ Инициализирует новый экземпляр для заданной строки URI.
+ Возвращает .Экземпляр для заданной строки URI.
+ Строка URI, определяющая интернет-ресурс.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Инициализирует новый экземпляр для заданного URI.
+ Возвращает .Экземпляр для заданной строки URI.
+ Идентификатор URI, определяющий интернет-ресурс.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Если переопределено во вложенном классе, возвращает или задает сетевые учетные данные, используемые для проверки подлинности запроса на интернет-ресурсе.
+ Объект , содержащий учетные записи проверки подлинности, связанные с запросом.Значение по умолчанию — null.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Возвращает или устанавливает глобальный прокси-сервер HTTP.
+ Объект используется в каждом вызове экземпляра .
+
+
+ Если переопределено в производном классе, возвращает для записи данных в этот интернет-ресурс.
+ Объект , в который записываются данные.
+ Объект , ссылающийся на отложенный запрос для потока.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Если переопределено в производном классе, возвращает .
+ Объект , содержащий ответ на интернет-запрос.
+ Объект , ссылающийся на отложенный запрос ответа.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Если переопределено во вложенном классе, возвращает для записи данных в интернет-ресурс в ходе асинхронной операции.
+ Возвращает .Объект задачи, представляющий асинхронную операцию.
+
+
+ Если переопределено во вложенном классе, возвращает ответ на интернет-запрос в ходе асинхронной операции.
+ Возвращает .Объект задачи, представляющий асинхронную операцию.
+
+
+ Если переопределено во вложенном классе, возвращает или задает коллекцию связанных с данным запросом пар "имя — значение" для заголовка.
+ Коллекция , содержащая пары "имя-значение" заголовков, связанных с данным запросом.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Если переопределено во вложенном классе, возвращает или задает метод протокола для использования в данном запросе.
+ Метод протокола для использования в данном запросе.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ Если переопределено во вложенном классе, возвращает или задает сетевой прокси-сервер, используемый для доступа к данному интернет-ресурсу.
+ Объект для доступа к данному интернет-ресурсу.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Регистрирует потомок для заданной схемы URI.
+ Значение true, если регистрация выполнена; в противном случае — значение false.
+ Полный URI или префикс URI, обслуживаемый потомком .
+ Метод, вызываемый для создания потомка .
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ Если переопределено во вложенном классе, возвращает URI интернет-ресурса, связанного с данным запросом.
+ Объект , предоставляющий ресурс, связанный с данным запросом.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Если переопределено во вложенном классе, возвращает или задает значение , с помощью которого определяется, следует ли отправлять учетные данные вместе с запросами.
+ Значение true, если используются учетные данные по умолчанию; в противном случае — значение false.Значение по умолчанию — false.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Предоставляет ответ с URI.Этот класс является абстрактным abstract.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ При переопределении во вложенном классе возвращает или задает длину содержимого принимаемых данных.
+ Число байтов, возвращенных из Интернет-ресурса.
+ Если свойство не переопределено во вложенном классе, делаются все возможные попытки получить или задать его.
+
+
+
+
+
+ При переопределении производного класса возвращает или задает тип содержимого принимаемых данных.
+ Строка, содержащая тип содержимого ответа.
+ Если свойство не переопределено во вложенном классе, делаются все возможные попытки получить или задать его.
+
+
+
+
+
+ Высвобождает неуправляемые ресурсы, используемые в объекте .
+
+
+ Освобождает неуправляемые ресурсы, используемые объектом , и опционально — управляемые ресурсы.
+ Значение true для освобождения управляемых и неуправляемых ресурсов; значение false для освобождения только неуправляемых ресурсов.
+
+
+ При переопределении во вложенном классе возвращает поток данных из этого Интернет-ресурса.
+ Экземпляр класса для чтения данных из Интернет-ресурса.
+ Если метод не переопределен во вложенном классе, делаются все возможные попытки получить к нему доступ.
+
+
+
+
+
+ При переопределении в производном классе возвращает коллекцию пар "имя-значение" для заголовка, связанную с данным запросом.
+ Экземпляр класса , содержащий значения заголовка, связанные с данным ответом.
+ Если свойство не переопределено во вложенном классе, делаются все возможные попытки получить или задать его.
+
+
+
+
+
+ При переопределении в производном классе возвращает URI Интернет-ресурса, который ответил на данный запрос.
+ Экземпляр класса , содержащий URI Интернет-ресурса, который ответил на данный запрос.
+ Если свойство не переопределено во вложенном классе, делаются все возможные попытки получить или задать его.
+
+
+
+
+
+ Возвращает значение, указывающее, поддерживаются ли заголовки.
+ Возвращает .Значение true, если заголовки поддерживаются; в противном случае — значение false.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/zh-hans/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/zh-hans/System.Net.Requests.xml
new file mode 100644
index 0000000..939810d
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/zh-hans/System.Net.Requests.xml
@@ -0,0 +1,535 @@
+
+
+
+ System.Net.Requests
+
+
+
+ 提供 类的 HTTP 特定的实现。
+
+
+ 取消对 Internet 资源的请求。
+
+
+
+
+
+
+
+ 获取或设置 Accept HTTP 标头的值。
+ Accept HTTP 标头的值。默认值为 null。
+
+
+ 获取或设置一个值,该值指示是否对从 Internet 资源接收的数据进行缓冲处理。
+ true要缓冲接收到来自 Internet 资源 ;否则为false。true 允许对从 Internet 资源接收的数据进行缓冲处理,false 禁用缓冲处理。默认值为 true。
+
+
+ 开始对用来写入数据的 对象的异步请求。
+ 引用该异步请求的 。
+
+ 委托。
+ 此请求的状态对象。
+
+ 属性为 GET 或 HEAD。- 或 - 为 true, 为 false, 为 -1, 为 false, 为 POST 或 PUT。
+ 流正由上一个 调用使用。- 或 - 被设置为一个值,并且 为 false。- 或 -线程池中的线程即将用完。
+ 请求缓存验证程序指示对此请求的响应可从缓存中提供;但是写入数据的请求不得使用缓存。如果您正在使用错误实现的自定义缓存验证程序,则会发生此异常。
+
+ 以前被调用过。
+ 在 .NET Compact Framework 应用程序中,未正确获得和关闭一个内容长度为零的请求流。有关处理内容长度为零的请求的更多信息,请参见 Network Programming in the .NET Compact Framework。
+
+
+
+
+
+
+
+
+
+
+ 开始对 Internet 资源的异步请求。
+ 引用对响应的异步请求的 。
+
+ 委托
+ 此请求的状态对象。
+ 流正由上一个 调用使用- 或 - 被设置为一个值,并且 为 false。- 或 -线程池中的线程即将用完。
+
+ 为 GET 或 HEAD,且 大于零或 为 true。- 或 - 为 true, 为 false,同时 为 -1, 为 false,或者 为 POST 或 PUT。- 或 -该 具有实体,但不用调用 方法调用 方法。- 或 - 大于零,但应用程序不会写入所有承诺的数据。
+
+ 以前被调用过。
+
+
+
+
+
+
+
+
+
+
+ 获取或设置 Content-type HTTP 标头的值。
+ Content-type HTTP 标头的值。默认值为 null。
+
+
+ 获取或设置在接收到来自服务器的 100 次连续响应之前要等待的超时(以毫秒为单位)。
+ 在接收到 100-Continue 之前要等待的超时(以毫秒为单位)。
+
+
+ 获取或设置与此请求关联的 Cookie。
+ 包含与此请求关联的 Cookie 的 。
+
+
+ 获取或设置请求的身份验证信息。
+ 包含与该请求关联的身份验证凭据的 。默认值为 null。
+
+
+
+
+
+ 结束对用于写入数据的 对象的异步请求。
+ 用来写入请求数据的 。
+ 对流的挂起请求。
+
+ 为 null。
+ 请求未完成,没有可用的流。
+ 当前实例没有从 调用返回 。
+ 以前使用 调用过此方法。
+
+ 以前被调用过。- 或 -处理请求时发生错误。
+
+
+
+
+
+
+
+ 结束对 Internet 资源的异步请求。
+ 包含来自 Internet 资源的响应的 。
+ 挂起的对响应的请求。
+
+ 为 null。
+ 以前使用 调用过此方法。- 或 - 属性大于 0,但是数据尚未写入请求流。
+
+ 以前被调用过。- 或 -处理请求时发生错误。
+
+ was not returned by the current instance from a call to .
+
+
+
+
+
+
+
+ 获取一个值,该值指示是否收到了来自 Internet 资源的响应。
+ 如果接收到了响应,则为 true,否则为 false。
+
+
+ 指定构成 HTTP 标头的名称/值对的集合。
+ 包含构成 HTTP 请求标头的名称/值对的 。
+ 已通过调用 、、 或 方法启动了该请求。
+
+
+
+
+
+ 获取或设置请求的方法。
+ 用于联系 Internet 资源的请求方法。默认值为 GET。
+ 未提供任何方法。- 或 -方法字符串包含无效字符。
+
+
+ 获取请求的原始统一资源标识符 (URI)。
+ 一个 ,其中包含传递给 方法的 Internet 资源的 URI。
+
+
+ 获取一个值,该值指示请求是否为 提供支持。
+ true如果请求提供了对支持;否则为false。如果支持 ,则为 true;否则为 false。
+
+
+ 获取或设置一个 值,该值控制默认凭据是否随请求一起发送。
+ 如果使用默认凭据,则为 true;否则为 false。默认值为 false。
+ 您尝试在该请求发送之后设置此属性。
+
+
+
+
+
+ 提供 类的 HTTP 特定的实现。
+
+
+ 获取请求返回的内容的长度。
+ 由请求所返回的字节数。内容长度不包括标头信息。
+ 已释放当前的实例。
+
+
+ 获取响应的内容类型。
+ 包含响应的内容类型的字符串。
+ 已释放当前的实例。
+
+
+ 获取或设置与此响应关联的 Cookie。
+
+ ,包含与此响应关联的 Cookie。
+ 已释放当前的实例。
+
+
+ 释放由 使用的非托管资源,并可根据需要释放托管资源。
+ 如果释放托管资源和非托管资源,则为 true;如果仅释放非托管资源,则为 false。
+
+
+ 获取流,该流用于读取来自服务器的响应的体。
+ 一个 ,包含响应的体。
+ 没有响应流。
+ 已释放当前的实例。
+
+
+
+
+
+
+
+ 获取来自服务器的与此响应关联的标头。
+ 一个 ,包含与响应一起返回的标头信息。
+ 已释放当前的实例。
+
+
+ 获取用于返回响应的方法。
+ 一个字符串,包含用于返回响应的 HTTP 方法。
+ 已释放当前的实例。
+
+
+ 获取响应请求的 Internet 资源的 URI。
+ 一个 ,包含响应请求的 Internet 资源的 URI。
+ 已释放当前的实例。
+
+
+ 获取响应的状态。
+
+ 值之一。
+ 已释放当前的实例。
+
+
+ 获取与响应一起返回的状态说明。
+ 一个字符串,描述响应的状态。
+ 已释放当前的实例。
+
+
+ 获取指示是否支持标题的值。
+ 返回 。如果标题受支持,则为 true;否则为 false。
+
+
+ 提供用于创建 实例的基接口。
+
+
+ 创建一个 实例。
+ 一个 实例。
+ Web 资源的统一资源标识符 (URI)。
+ 此 实例不支持在 中指定的请求方案。
+
+ 为 null。
+ 在 .NET for Windows Store 应用程序 或 可移植类库 中,请改为捕获基类异常 。 中指定的 URI 不是有效的 URI。
+
+
+ 使用网络协议期间出错时引发的异常。
+
+
+ 初始化 类的新实例。
+
+
+ 用指定消息初始化 类的新实例。
+ 错误消息字符串。
+
+
+ 通过可插接协议访问网络期间出错时引发的异常。
+
+
+ 初始化 类的新实例。
+
+
+ 使用指定的错误消息初始化 类的新实例。
+ 错误消息的文本。
+
+
+ 用指定的错误信息和嵌套异常初始化 类的新实例。
+ 错误消息的文本。
+ 嵌套异常。
+
+
+ 用指定的错误信息、嵌套异常、状态和响应初始化 类的新实例。
+ 错误消息的文本。
+ 嵌套异常。
+
+ 值之一。
+ 包含来自远程主机的响应的 实例。
+
+
+ 用指定的错误信息和状态初始化 类的新实例。
+ 错误消息的文本。
+
+ 值之一。
+
+
+ 获取远程主机返回的响应。
+ 如果可从 Internet 资源获得响应,则为包含来自 Internet 资源的错误响应的 实例;否则为 null。
+
+
+ 获取响应的状态。
+
+ 值之一。
+
+
+ 为 类定义状态代码。
+
+
+ 未能在传输级联系到远程服务点。
+
+
+ 当发送请求或从服务器接收响应时,会接收到超出指定限制的消息。
+
+
+ 内部异步请求挂起。
+
+
+ 请求被取消, 方法被调用,或者发生了不可分类的错误。这是 的默认值。
+
+
+ 未能将完整请求发送到远程服务器。
+
+
+ 未遇到任何错误。
+
+
+ 发生未知类型的异常。
+
+
+ 对统一资源标识符 (URI) 发出请求。这是一个 abstract 类。
+
+
+ 初始化 类的新实例。
+
+
+ 中止请求
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ 当在子类中重写时,提供 方法的异步版本。
+ 引用该异步请求的 。
+
+ 委托。
+ 包含此异步请求的状态信息的对象。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 当在子类中被重写时,开始对 Internet 资源的异步请求。
+ 引用该异步请求的 。
+
+ 委托。
+ 包含此异步请求的状态信息的对象。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 当在子类中被重写时,获取或设置所发送的请求数据的内容类型。
+ 请求数据的内容类型。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 为指定的 URI 方案初始化新的 实例。
+ 特定 URI 方案的 子代。
+ 标识 Internet 资源的 URI。
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ 为指定的 URI 方案初始化新的 实例。
+ 指定的 URI 方案的 子代。
+ 包含请求的资源的 URI 的 。
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ 为指定的 URI 字符串初始化新的 实例。
+ 返回 。特定 URI 字符串的 实例。
+ 标识 Internet 资源的 URI 字符串。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 为指定的 URI 初始化新的 实例。
+ 返回 。特定 URI 字符串的 实例。
+ 标识 Internet 资源的 URI。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 当在子类中被重写时,获取或设置用于对 Internet 资源请求进行身份验证的网络凭据。
+ 包含与该请求关联的身份验证凭据的 。默认值为 null。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 获取或设置全局 HTTP 代理。
+ 对 实例的每一次调用所使用的 。
+
+
+ 当在子类中重写时,返回用于将数据写入 Internet 资源的 。
+ 将数据写入的 。
+ 引用对流的挂起请求的 。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 当在子类中重写时,返回 。
+ 包含对 Internet 请求的响应的 。
+ 引用对响应的挂起请求的 。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 当在子类中被重写时,将用于写入数据的 作为异步操作返回到 Internet 资源。
+ 返回 。表示异步操作的任务对象。
+
+
+ 当在子代类中被重写时,将作为异步操作返回对 Internet 请求的响应。
+ 返回 。表示异步操作的任务对象。
+
+
+ 当在子类中被重写时,获取或设置与请求关联的标头名称/值对的集合。
+ 包含与此请求关联的标头名称/值对的 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 当在子类中被重写时,获取或设置要在此请求中使用的协议方法。
+ 要在此请求中使用的协议方法。
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ 当在子类中被重写时,获取或设置用于访问此 Internet 资源的网络代理。
+ 用于访问 Internet 资源的 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 为指定的 URI 注册 子代。
+ 如果注册成功,则为 true;否则为 false。
+
+ 子代为其提供服务的完整 URI 或 URI 前缀。
+ 创建方法, 调用它以创建 子代。
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ 当在子类中被重写时,获取与请求关联的 Internet 资源的 URI。
+ 表示与请求关联的资源的 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 当在子代类中重写时,获取或设置一个 值,该值控制 是否随请求一起发送。
+ 如果使用默认凭据,则为 true;否则为 false。默认值为 false。
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 提供来自统一资源标识符 (URI) 的响应。这是一个 abstract 类。
+
+
+ 初始化 类的新实例。
+
+
+ 当在子类中重写时,获取或设置接收的数据的内容长度。
+ 从 Internet 资源返回的字节数。
+ 当未在子类中重写该属性时,试图获取或设置该属性。
+
+
+
+
+
+ 当在派生类中重写时,获取或设置接收的数据的内容类型。
+ 包含响应的内容类型的字符串。
+ 当未在子类中重写该属性时,试图获取或设置该属性。
+
+
+
+
+
+ 释放 对象使用的非托管资源。
+
+
+ 释放由 对象使用的非托管资源,并可根据需要释放托管资源。
+ 如果释放托管资源和非托管资源,则为 true;如果仅释放非托管资源,则为 false。
+
+
+ 当在子类中重写时,从 Internet 资源返回数据流。
+ 用于从 Internet 资源中读取数据的 类的实例。
+ 当未在子类中重写该方法时,试图访问该方法。
+
+
+
+
+
+ 当在派生类中重写时,获取与此请求关联的标头名称/值对的集合。
+
+ 类的实例,包含与此响应关联的标头值。
+ 当未在子类中重写该属性时,试图获取或设置该属性。
+
+
+
+
+
+ 当在派生类中重写时,获取实际响应此请求的 Internet 资源的 URI。
+
+ 类的实例,包含实际响应此请求的 Internet 资源的 URI。
+ 当未在子类中重写该属性时,试图获取或设置该属性。
+
+
+
+
+
+ 获取指示是否支持标题的值。
+ 返回 。如果标题受支持,则为 true;否则为 false。
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/zh-hant/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/zh-hant/System.Net.Requests.xml
new file mode 100644
index 0000000..c97631e
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.0/zh-hant/System.Net.Requests.xml
@@ -0,0 +1,550 @@
+
+
+
+ System.Net.Requests
+
+
+
+ 提供 類別的 HTTP 特定實作。
+
+
+ 取消對網際網路資源的要求。
+
+
+
+
+
+
+
+ 取得或設定 Accept HTTP 標頭的值。
+ Accept HTTP 標頭的值。預設值是 null。
+
+
+ 取得或設定值,這個值表示是否要緩衝處理從網際網路資源接收的資料。
+ true用來緩衝接收到來自網際網路資源。否則, false。true 表示啟用緩衝處理從網際網路資源收到的資料,false 表示停用緩衝。預設值為 true。
+
+
+ 開始用來寫入資料之 物件的非同步要求。
+
+ ,參考非同步要求。
+
+ 委派。
+ 這個要求的狀態物件。
+
+ 屬性是 GET 或 HEAD。-或- 是 true、 是 false、 是 -1、 是 false,而且 是 POST 或 PUT。
+ 資料流正在由先前對 的呼叫所使用。-或- 是設定為值,而且 為 false。-或-執行緒集區中的執行緒即將用盡。
+ 要求的快取驗證程式表示,可以從快取提供對這個要求的回應,然而,寫入資料的要求不可以使用快取。如果您使用錯誤實作的自訂快取驗證程式,可能會發生這個例外狀況。
+ 先前已呼叫過 。
+ 在 .NET Compact Framework 應用程式中,沒有正確取得並關閉內容長度為零的要求資料流。如需處理內容長度為零之要求的詳細資訊,請參閱 Network Programming in the .NET Compact Framework。
+
+
+
+
+
+
+
+
+
+
+ 開始對網際網路資源的非同步要求。
+
+ ,參考回應的非同步要求。
+
+ 委派
+ 這個要求的狀態物件。
+ 資料流已經由先前對 的呼叫使用。-或- 是設定為值,而且 為 false。-或-執行緒集區中的執行緒即將用盡。
+
+ 是 GET 或 HEAD,而且若不是 大於零,就是 為 true。-或- 是 true、 是 false;若不是 為 -1,就是 為 false;而且 是 POST 或 PUT。-或- 具有實體本文,但是不會透過呼叫 方法的方式來呼叫 方法。-或- 大於零,但應用程式不會寫入所有承諾的資料
+ 先前已呼叫過 。
+
+
+
+
+
+
+
+
+
+
+ 取得或設定 Content-type HTTP 標頭的值。
+ Content-type HTTP 標頭的值。預設值是 null。
+
+
+ 取得或設定要在收到伺服器的 100-Continue 以前等候的逾時 (以毫秒為單位)。
+ 要在收到 100-Continue 以前等候的逾時 (以毫秒為單位)。
+
+
+ 取得或設定與要求相關的 Cookie。
+
+ ,包含與這個要求相關的 Cookie。
+
+
+ 取得或設定要求的驗證資訊。
+
+ ,包含與要求相關的驗證認證。預設值為 null。
+
+
+
+
+
+ 結束用來寫入資料之 物件的非同步要求。
+
+ ,用來寫入要求資料。
+ 資料流的暫止要求。
+
+ 為 null。
+ 要求未完成,並且沒有資料流可以使用。
+ 目前執行個體沒有在呼叫 之後傳回 。
+ 這個方法先前已使用 呼叫過。
+ 先前已呼叫過 。-或-處理要求時發生錯誤。
+
+
+
+
+
+
+
+ 結束對網際網路資源的非同步要求。
+
+ ,包含來自網際網路資源的回應。
+ 回應的暫止要求。
+
+ 為 null。
+ 這個方法先前已使用 呼叫過。-或- 屬性大於 0,但是未將資料寫入至要求資料流。
+ 先前已呼叫過 。-或-處理要求時發生錯誤。
+
+ was not returned by the current instance from a call to .
+
+
+
+
+
+
+
+ 取得值,指出是否已經接收到來自網際網路資源的回應。
+ 如果已經接收到回應,則為 true,否則為 false。
+
+
+ 指定組成 HTTP 標頭的名稱/值組集合。
+
+ ,包含組成 HTTP 要求標頭的名稱/值組。
+ 要求已經藉由呼叫 、、 或 方法開始。
+
+
+
+
+
+ 取得或設定要求的方法。
+ 用來連繫網際網路資源的要求方法。預設值為 GET。
+ 未提供方法。-或-方法字串含有無效字元。
+
+
+ 取得要求的原始統一資源識別元 (URI)。
+
+ ,包含傳遞到 方法的網際網路資源 URI。
+
+
+ 取得值,指出要求是否提供對 的支援。
+ true如果要求提供支援;否則, false。如果支援 則為 true,否則為 false。
+
+
+ 取得或設定 值,控制是否隨著要求傳送預設認證。
+ 如果使用預設認證則為 true,否則為 false。預設值是 false。
+ 在傳送要求後,您嘗試設定這個屬性。
+
+
+
+
+
+ 提供 類別的 HTTP 特定實作。
+
+
+ 取得由要求傳回的內容長度。
+ 由要求傳回的位元組數目。內容長度不包含標頭資訊。
+ 已經處置目前的執行個體。
+
+
+ 取得回應的內容類型。
+ 字串,包含回應的內容類型。
+ 已經處置目前的執行個體。
+
+
+ 取得或設定與這個回應關聯的 Cookie。
+
+ ,包含與這個回應關聯的 Cookie。
+ 已經處置目前的執行個體。
+
+
+ 釋放 所使用的 Unmanaged 資源,並選擇性處置 Managed 資源。
+ true 表示會同時釋放 Managed 和 Unmanaged 資源;false 則表示只釋放 Unmanaged 資源。
+
+
+ 取得用來從伺服器讀取回應主體的資料流。
+
+ ,包含回應的主體。
+ 沒有回應的資料流。
+ 已經處置目前的執行個體。
+
+
+
+
+
+
+
+ 取得與伺服器的這個回應關聯的標頭。
+
+ ,包含隨回應傳回的標頭資訊。
+ 已經處置目前的執行個體。
+
+
+ 取得用來傳回回應的方法。
+ 字串,含有用來傳回回應的 HTTP 方法。
+ 已經處置目前的執行個體。
+
+
+ 取得回應要求之網際網路資源的 URI。
+
+ ,包含回應要求之網際網路資源的 URI。
+ 已經處置目前的執行個體。
+
+
+ 取得回應的狀態。
+ 其中一個 值。
+ 已經處置目前的執行個體。
+
+
+ 取得隨回應傳回的狀態描述。
+ 字串,描述回應的狀態。
+ 已經處置目前的執行個體。
+
+
+ 取得指出是否支援標頭的值。
+ 傳回 。如果支援標頭則為 true;否則為 false。
+
+
+ 提供建立 執行個體的基底介面。
+
+
+ 建立 執行個體。
+
+ 執行個體。
+ Web 資源的統一資源識別元 (URI)。
+ 此 執行個體不支援 中指定的要求配置。
+
+ 為 null。
+ 在適用於 Windows 市集應用程式的 .NET 或可攜式類別庫中,反而要攔截基底類別例外狀況 。 中指定的 URI 為無效的 URI。
+
+
+ 當使用網路通訊協定 (Protocol) 發生錯誤時,所擲回的例外狀況。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 使用指定的訊息來初始化 類別的新執行個體。
+ 錯誤訊息字串。
+
+
+ 當透過可外掛式通訊協定 (Protocol) 存取網路發生錯誤時,所擲回的例外狀況。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 使用指定的錯誤訊息來初始化 類別的新執行個體。
+ 錯誤訊息的文字。
+
+
+ 使用指定的錯誤訊息和巢狀例外狀況來初始化 類別的新執行個體。
+ 錯誤訊息的文字。
+ 巢狀例外狀況。
+
+
+ 使用指定的錯誤訊息、巢狀例外狀況、狀態和回應來初始化 類別的新執行個體。
+ 錯誤訊息的文字。
+ 巢狀例外狀況。
+ 其中一個 值。
+
+ 執行個體,含有遠端主機的回應。
+
+
+ 使用指定的錯誤訊息和狀態來初始化 類別的新執行個體。
+ 錯誤訊息的文字。
+ 其中一個 值。
+
+
+ 取得遠端主機所傳回的回應。
+ 如果可以從網際網路資源使用回應,則為包含來自網際網路資源之錯誤回應的 執行個體,否則為 null。
+
+
+ 取得回應的狀態。
+ 其中一個 值。
+
+
+ 定義 類別的狀態碼。
+
+
+ 無法在傳輸層級上連繫遠端服務點。
+
+
+ 已在傳送要求或從伺服器接收回應時收到超過指定限制的訊息。
+
+
+ 暫止內部非同步要求。
+
+
+ 要求被取消、呼叫 方法,或發生無法分類的錯誤。這是 的預設值。
+
+
+ 完整要求無法送出至遠端伺服器。
+
+
+ 沒有遇到錯誤。
+
+
+ 未知類型的例外狀況 (Exception) 已經發生。
+
+
+ 對統一資源識別元 (URI) 提出要求。這是 abstract 類別。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 中止要求
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ 在子代類別中覆寫時,會提供 方法的非同步版本。
+ 參考非同步要求的 。
+
+ 委派。
+ 物件,包含這個非同步要求的狀態資訊。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 在子代類別中覆寫時,開始網際網路資源的非同步要求。
+ 參考非同步要求的 。
+
+ 委派。
+ 物件,包含這個非同步要求的狀態資訊。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 在子代類別中覆寫時,取得或設定正在傳送要求資料的內容類型。
+ 要求資料的內容類型。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 為指定的 URI 配置,初始化新的 執行個體。
+ 特定 URI 配置的 子代。
+ 識別網際網路資源的 URI。
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ 為指定的 URI 配置,初始化新的 執行個體。
+
+ 子代,屬於指定的 URI 配置。
+
+ ,包含要求資源的 URI。
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ 為指定的 URI 字串,初始化新的 執行個體。
+ 傳回 。特定 URI 字串的 執行個體。
+ 識別網際網路資源的 URI 字串。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 為指定的 URI 配置,初始化新的 執行個體。
+ 傳回 。特定 URI 字串的 執行個體。
+ 識別網際網路資源的 URI。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 在子代類別中覆寫時,取得或設定使用網際網路資源驗證要求的網路認證。
+
+ ,包含與要求相關聯的驗證認證。預設為 null。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 取得或設定全域 HTTP Proxy。
+ 每個 執行個體的呼叫所使用的 。
+
+
+ 在子代類別中覆寫時,傳回 ,以便將資料寫入至網際網路資源。
+ 要將資料寫入的目標 。
+
+ ,參考資料流的暫止要求。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 在子代類別中覆寫時,傳回 。
+
+ ,包含對網際網路要求的回應。
+
+ ,參考回應的暫止要求。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 在子代類別中覆寫時,傳回以非同步作業方式將資料寫入網際網路資源的 。
+ 傳回 。工作物件,表示非同步作業。
+
+
+ 在子代類別中覆寫時,傳回對網際網路要求的回應,做為非同步作業。
+ 傳回 。工作物件,表示非同步作業。
+
+
+ 在子代類別中覆寫時,取得或設定與要求相關聯的標頭名稱/值組集合。
+
+ ,包含與要求相關聯的標頭名稱/值組。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 在子代類別中覆寫時,取得或設定這個要求中要使用的通訊協定方法。
+ 這個要求中要使用的通訊協定方法。
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ 在子代類別中覆寫時,取得或設定要用來存取這個網際網路資源的網路 Proxy。
+ 用以存取網際網路資源的 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 註冊指定 URI 的 子代。
+ 如果登錄成功,則為 true,否則為 false。
+
+ 子代所服務的完整 URI 或 URI 前置詞。
+
+ 呼叫以建立 子代的建立方法。
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ 在子代類別中覆寫時,取得與要求相關聯的網際網路資源 URI。
+
+ ,代表與要求相關聯的資源。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 在子代類別中覆寫時,取得或設定 值,控制 是否隨著要求傳送。
+ 如果使用預設認證,則為 true,否則為 false。預設值是 false。
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 提供來自統一資源識別元 (URI) 的回應。這是 abstract 類別。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 在子系類別中覆寫時,取得或設定正在接收資料的內容長度。
+ 傳回自網際網路資源的位元組數。
+ 當屬性在子代類別中未覆寫時,會嘗試取得或設定該屬性。
+
+
+
+
+
+ 在衍生類別中覆寫時,取得或設定正在接收資料的內容類型。
+ 字串,包含回應的內容類型。
+ 當屬性在子代類別中未覆寫時,會嘗試取得或設定該屬性。
+
+
+
+
+
+ 釋放由 物件使用的 Unmanaged 資源。
+
+
+ 釋放 物件所使用的 Unmanaged 資源,並選擇性處置 Managed 資源。
+ true 表示會同時釋放 Managed 和 Unmanaged 資源;false 則表示只釋放 Unmanaged 資源。
+
+
+ 在子系類別中覆寫時,傳回來自網際網路資源的資料流。
+
+ 類別的執行個體,從網際網路資源讀取資料。
+ 當方法在子代類別中未覆寫時,會嘗試存取該方法。
+
+
+
+
+
+ 在衍生類別中覆寫時,取得與這個要求相關聯的標頭名稱值配對集合。
+
+ 類別的執行個體,包含與這個回應相關聯的標頭值。
+ 當屬性在子代類別中未覆寫時,會嘗試取得或設定該屬性。
+
+
+
+
+
+ 在衍生類別中覆寫時,取得對要求實際回應的網際網路資源 URI。
+
+ 類別的執行個體,它包含對要求實際回應的網際網路資源 URI。
+ 當屬性在子代類別中未覆寫時,會嘗試取得或設定該屬性。
+
+
+
+
+
+ 取得指出是否支援標頭的值。
+ 傳回 。如果支援標頭則為 true;否則為 false。
+
+
+
\ No newline at end of file
diff --git a/ModernKeePassLib/bin/Debug/System.Net.Requests.dll b/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/System.Net.Requests.dll
similarity index 100%
rename from ModernKeePassLib/bin/Debug/System.Net.Requests.dll
rename to packages/System.Net.Requests.4.3.0/ref/netstandard1.1/System.Net.Requests.dll
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/System.Net.Requests.xml
new file mode 100644
index 0000000..96c580d
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/System.Net.Requests.xml
@@ -0,0 +1,523 @@
+
+
+
+ System.Net.Requests
+
+
+
+ Provides an HTTP-specific implementation of the class.
+
+
+ Cancels a request to an Internet resource.
+
+
+
+
+
+
+
+ Gets or sets the value of the Accept HTTP header.
+ The value of the Accept HTTP header. The default value is null.
+
+
+ Gets or sets a value that indicates whether to buffer the received from the Internet resource.
+ true to buffer the received from the Internet resource; otherwise, false.true to enable buffering of the data received from the Internet resource; false to disable buffering. The default is true.
+
+
+ Begins an asynchronous request for a object to use to write data.
+ An that references the asynchronous request.
+ The delegate.
+ The state object for this request.
+ The property is GET or HEAD.-or- is true, is false, is -1, is false, and is POST or PUT.
+ The stream is being used by a previous call to -or- is set to a value and is false.-or- The thread pool is running out of threads.
+ The request cache validator indicated that the response for this request can be served from the cache; however, requests that write data must not use the cache. This exception can occur if you are using a custom cache validator that is incorrectly implemented.
+
+ was previously called.
+ In a .NET Compact Framework application, a request stream with zero content length was not obtained and closed correctly. For more information about handling zero content length requests, see Network Programming in the .NET Compact Framework.
+
+
+
+
+
+
+
+
+
+
+ Begins an asynchronous request to an Internet resource.
+ An that references the asynchronous request for a response.
+ The delegate
+ The state object for this request.
+ The stream is already in use by a previous call to -or- is set to a value and is false.-or- The thread pool is running out of threads.
+
+ is GET or HEAD, and either is greater than zero or is true.-or- is true, is false, and either is -1, is false and is POST or PUT.-or- The has an entity body but the method is called without calling the method. -or- The is greater than zero, but the application does not write all of the promised data.
+
+ was previously called.
+
+
+
+
+
+
+
+
+
+
+ Gets or sets the value of the Content-type HTTP header.
+ The value of the Content-type HTTP header. The default value is null.
+
+
+ Gets or sets a timeout, in milliseconds, to wait until the 100-Continue is received from the server.
+ The timeout, in milliseconds, to wait until the 100-Continue is received.
+
+
+ Gets or sets the cookies associated with the request.
+ A that contains the cookies associated with this request.
+
+
+ Gets or sets authentication information for the request.
+ An that contains the authentication credentials associated with the request. The default is null.
+
+
+
+
+
+ Ends an asynchronous request for a object to use to write data.
+ A to use to write request data.
+ The pending request for a stream.
+
+ is null.
+ The request did not complete, and no stream is available.
+
+ was not returned by the current instance from a call to .
+ This method was called previously using .
+
+ was previously called.-or- An error occurred while processing the request.
+
+
+
+
+
+
+
+ Ends an asynchronous request to an Internet resource.
+ A that contains the response from the Internet resource.
+ The pending request for a response.
+
+ is null.
+ This method was called previously using -or- The property is greater than 0 but the data has not been written to the request stream.
+
+ was previously called.-or- An error occurred while processing the request.
+
+ was not returned by the current instance from a call to .
+
+
+
+
+
+
+
+ Gets a value that indicates whether a response has been received from an Internet resource.
+ true if a response has been received; otherwise, false.
+
+
+ Specifies a collection of the name/value pairs that make up the HTTP headers.
+ A that contains the name/value pairs that make up the headers for the HTTP request.
+ The request has been started by calling the , , , or method.
+
+
+
+
+
+ Gets or sets the method for the request.
+ The request method to use to contact the Internet resource. The default value is GET.
+ No method is supplied.-or- The method string contains invalid characters.
+
+
+ Gets the original Uniform Resource Identifier (URI) of the request.
+ A that contains the URI of the Internet resource passed to the method.
+
+
+ Gets a value that indicates whether the request provides support for a .
+ true if the request provides support for a ; otherwise, false.true if a is supported; otherwise, false.
+
+
+ Gets or sets a value that controls whether default credentials are sent with requests.
+ true if the default credentials are used; otherwise false. The default value is false.
+ You attempted to set this property after the request was sent.
+
+
+
+
+
+ Provides an HTTP-specific implementation of the class.
+
+
+ Gets the length of the content returned by the request.
+ The number of bytes returned by the request. Content length does not include header information.
+ The current instance has been disposed.
+
+
+ Gets the content type of the response.
+ A string that contains the content type of the response.
+ The current instance has been disposed.
+
+
+ Gets or sets the cookies that are associated with this response.
+ A that contains the cookies that are associated with this response.
+ The current instance has been disposed.
+
+
+ Releases the unmanaged resources used by the , and optionally disposes of the managed resources.
+ true to release both managed and unmanaged resources; false to releases only unmanaged resources.
+
+
+ Gets the stream that is used to read the body of the response from the server.
+ A containing the body of the response.
+ There is no response stream.
+ The current instance has been disposed.
+
+
+
+
+
+
+
+ Gets the headers that are associated with this response from the server.
+ A that contains the header information returned with the response.
+ The current instance has been disposed.
+
+
+ Gets the method that is used to return the response.
+ A string that contains the HTTP method that is used to return the response.
+ The current instance has been disposed.
+
+
+ Gets the URI of the Internet resource that responded to the request.
+ A that contains the URI of the Internet resource that responded to the request.
+ The current instance has been disposed.
+
+
+ Gets the status of the response.
+ One of the values.
+ The current instance has been disposed.
+
+
+ Gets the status description returned with the response.
+ A string that describes the status of the response.
+ The current instance has been disposed.
+
+
+ Gets a value that indicates if headers are supported.
+ Returns .true if headers are supported; otherwise, false.
+
+
+ Provides the base interface for creating instances.
+
+
+ Creates a instance.
+ A instance.
+ The uniform resource identifier (URI) of the Web resource.
+ The request scheme specified in is not supported by this instance.
+
+ is null.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+ The exception that is thrown when an error is made while using a network protocol.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class with the specified message.
+ The error message string.
+
+
+ The exception that is thrown when an error occurs while accessing the network through a pluggable protocol.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class with the specified error message.
+ The text of the error message.
+
+
+ Initializes a new instance of the class with the specified error message and nested exception.
+ The text of the error message.
+ A nested exception.
+
+
+ Initializes a new instance of the class with the specified error message, nested exception, status, and response.
+ The text of the error message.
+ A nested exception.
+ One of the values.
+ A instance that contains the response from the remote host.
+
+
+ Initializes a new instance of the class with the specified error message and status.
+ The text of the error message.
+ One of the values.
+
+
+ Gets the response that the remote host returned.
+ If a response is available from the Internet resource, a instance that contains the error response from an Internet resource; otherwise, null.
+
+
+ Gets the status of the response.
+ One of the values.
+
+
+ Defines status codes for the class.
+
+
+ The remote service point could not be contacted at the transport level.
+
+
+ A message was received that exceeded the specified limit when sending a request or receiving a response from the server.
+
+
+ An internal asynchronous request is pending.
+
+
+ The request was canceled, the method was called, or an unclassifiable error occurred. This is the default value for .
+
+
+ A complete request could not be sent to the remote server.
+
+
+ No error was encountered.
+
+
+ An exception of unknown type has occurred.
+
+
+ Makes a request to a Uniform Resource Identifier (URI). This is an abstract class.
+
+
+ Initializes a new instance of the class.
+
+
+ Aborts the Request
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ When overridden in a descendant class, provides an asynchronous version of the method.
+ An that references the asynchronous request.
+ The delegate.
+ An object containing state information for this asynchronous request.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ When overridden in a descendant class, begins an asynchronous request for an Internet resource.
+ An that references the asynchronous request.
+ The delegate.
+ An object containing state information for this asynchronous request.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ When overridden in a descendant class, gets or sets the content type of the request data being sent.
+ The content type of the request data.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Initializes a new instance for the specified URI scheme.
+ A descendant for the specific URI scheme.
+ The URI that identifies the Internet resource.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ Initializes a new instance for the specified URI scheme.
+ A descendant for the specified URI scheme.
+ A containing the URI of the requested resource.
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ Initializes a new instance for the specified URI string.
+ Returns .An instance for the specific URI string.
+ A URI string that identifies the Internet resource.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Initializes a new instance for the specified URI.
+ Returns .An instance for the specific URI string.
+ A URI that identifies the Internet resource.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ When overridden in a descendant class, gets or sets the network credentials used for authenticating the request with the Internet resource.
+ An containing the authentication credentials associated with the request. The default is null.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Gets or sets the global HTTP proxy.
+ An used by every call to instances of .
+
+
+ When overridden in a descendant class, returns a for writing data to the Internet resource.
+ A to write data to.
+ An that references a pending request for a stream.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ When overridden in a descendant class, returns a .
+ A that contains a response to the Internet request.
+ An that references a pending request for a response.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ When overridden in a descendant class, returns a for writing data to the Internet resource as an asynchronous operation.
+ Returns .The task object representing the asynchronous operation.
+
+
+ When overridden in a descendant class, returns a response to an Internet request as an asynchronous operation.
+ Returns .The task object representing the asynchronous operation.
+
+
+ When overridden in a descendant class, gets or sets the collection of header name/value pairs associated with the request.
+ A containing the header name/value pairs associated with this request.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ When overridden in a descendant class, gets or sets the protocol method to use in this request.
+ The protocol method to use in this request.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ When overridden in a descendant class, gets or sets the network proxy to use to access this Internet resource.
+ The to use to access the Internet resource.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Registers a descendant for the specified URI.
+ true if registration is successful; otherwise, false.
+ The complete URI or URI prefix that the descendant services.
+ The create method that the calls to create the descendant.
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ When overridden in a descendant class, gets the URI of the Internet resource associated with the request.
+ A representing the resource associated with the request
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ When overridden in a descendant class, gets or sets a value that controls whether are sent with requests.
+ true if the default credentials are used; otherwise false. The default value is false.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Provides a response from a Uniform Resource Identifier (URI). This is an abstract class.
+
+
+ Initializes a new instance of the class.
+
+
+ When overridden in a descendant class, gets or sets the content length of data being received.
+ The number of bytes returned from the Internet resource.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ When overridden in a derived class, gets or sets the content type of the data being received.
+ A string that contains the content type of the response.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Releases the unmanaged resources used by the object.
+
+
+ Releases the unmanaged resources used by the object, and optionally disposes of the managed resources.
+ true to release both managed and unmanaged resources; false to releases only unmanaged resources.
+
+
+ When overridden in a descendant class, returns the data stream from the Internet resource.
+ An instance of the class for reading data from the Internet resource.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ When overridden in a derived class, gets a collection of header name-value pairs associated with this request.
+ An instance of the class that contains header values associated with this response.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ When overridden in a derived class, gets the URI of the Internet resource that actually responded to the request.
+ An instance of the class that contains the URI of the Internet resource that actually responded to the request.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Gets a value that indicates if headers are supported.
+ Returns .true if headers are supported; otherwise, false.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/de/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/de/System.Net.Requests.xml
new file mode 100644
index 0000000..028cd87
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/de/System.Net.Requests.xml
@@ -0,0 +1,523 @@
+
+
+
+ System.Net.Requests
+
+
+
+ Stellt eine HTTP-spezifische Implementierung der -Klasse bereit.
+
+
+ Bricht eine Anforderung an eine Internetressource ab.
+
+
+
+
+
+
+
+ Ruft den Wert des Accept-HTTP-Headers ab oder legt ihn fest.
+ Der Wert des Accept-HTTP-Headers.Der Standardwert ist null.
+
+
+ Ruft einen Wert ab, der angibt, ob die von der Internetressource empfangenen Daten gepuffert werden sollen, oder legt diesen Wert fest.
+ true, um die aus der Internetressource empfangenen Daten zwischenzuspeichern, andernfalls false.true aktiviert die Zwischenspeicherung der aus der Internetressource empfangenen Daten, false deaktiviert die Zwischenspeicherung.Die Standardeinstellung ist true.
+
+
+ Startet eine asynchrone Anforderung eines -Objekts, das zum Schreiben von Daten verwendet werden soll.
+ Ein , das auf die asynchrone Anforderung verweist.
+ Der -Delegat.
+ Das Zustandsobjekt für diese Anforderung.
+ Die -Eigenschaft ist GET oder HEAD.- oder - ist true, ist false, ist -1, ist false, und ist POST oder PUT.
+ Der Stream wird von einem vorherigen Aufruf von verwendet.- oder - ist auf einen Wert festgelegt, und ist false.- oder - Es sind nur noch wenige Threads im Threadpool verfügbar.
+ Die Cachebestätigung der Anforderung hat angegeben, dass die Antwort für diese Anforderung vom Cache bereitgestellt werden kann. Anforderungen, die Daten schreiben, dürfen jedoch den Cache nicht verwenden.Diese Ausnahme kann auftreten, wenn Sie eine benutzerdefinierte Cachebestätigung verwenden, die nicht ordnungsgemäß implementiert wurde.
+
+ wurde bereits zuvor aufgerufen.
+ In einer .NET Compact Framework-Anwendung wurde ein Anforderungsstream, dessen Inhalt die Länge 0 (null) hat, nicht korrekt abgerufen und geschlossen.Weitere Informationen über das Behandeln von Anforderungen mit einem Inhalt von der Länge 0 (null) finden Sie unter Network Programming in the .NET Compact Framework.
+
+
+
+
+
+
+
+
+
+
+ Startet eine asynchrone Anforderung an eine Internetressource.
+ Ein , das auf die asynchrone Anforderung einer Antwort verweist.
+ Der -Delegat.
+ Das Zustandsobjekt für diese Anforderung.
+ Der Stream wird bereits von einem vorherigen Aufruf von verwendet.- oder - ist auf einen Wert festgelegt, und ist false.- oder - Es sind nur noch wenige Threads im Threadpool verfügbar.
+
+ ist GET oder HEAD, und entweder ist größer als 0, oder ist true.- oder - ist true, ist false, ist -1, ist false, und ist POST oder PUT.- oder - Der hat einen Entitätstext, aber die -Methode wird aufgerufen, ohne die -Methode aufzurufen. - oder - ist größer als 0 (null), aber die Anwendung schreibt nicht alle versprochenen Daten.
+
+ wurde bereits zuvor aufgerufen.
+
+
+
+
+
+
+
+
+
+
+ Ruft den Wert des Content-type-HTTP-Headers ab oder legt ihn fest.
+ Der Wert des Content-type-HTTP-Headers.Der Standardwert ist null.
+
+
+ Ruft eine Timeout-Zeit (in Millisekunden) ab oder legt diese fest, bis zu der auf den Serverstatus gewartet wird, nachdem "100-Continue" vom Server empfangen wurde.
+ Das Timeout in Millisekunden, bis zu dem auf den Empfang von "100-Continue" gewartet wird.
+
+
+ Ruft die der Anforderung zugeordneten Cookies ab oder legt diese fest.
+ Ein mit den dieser Anforderung zugeordneten Cookies.
+
+
+ Ruft Authentifizierungsinformationen für die Anforderung ab oder legt diese fest.
+ Ein -Element mit den der Anforderung zugeordneten Anmeldeinformationen für die Authentifizierung.Die Standardeinstellung ist null.
+
+
+
+
+
+ Beendet eine asynchrone Anforderung eines -Objekts, das zum Schreiben von Daten verwendet werden soll.
+ Ein , der zum Schreiben von Anforderungsdaten verwendet werden soll.
+ Die ausstehende Anforderung für einen Datenstrom.
+
+ ist null.
+ Die Anforderung wurde nicht abgeschlossen, und es ist kein Stream verfügbar.
+
+ wurde nicht durch die derzeitige Instanz von einem Aufruf von zurückgegeben.
+ Diese Methode wurde zuvor unter Verwendung von aufgerufen.
+
+ wurde bereits zuvor aufgerufen.- oder - Fehler bei der Verarbeitung der Anforderung.
+
+
+
+
+
+
+
+ Beendet eine asynchrone Anforderung an eine Internetressource.
+ Eine mit der Antwort von der Internetressource.
+ Die ausstehende Anforderung einer Antwort.
+
+ ist null.
+ Diese Methode wurde zuvor unter Verwendung von aufgerufen.- oder - Die -Eigenschaft ist größer als 0, die Daten wurden jedoch nicht in den Anforderungsstream geschrieben.
+
+ wurde bereits zuvor aufgerufen.- oder - Fehler bei der Verarbeitung der Anforderung.
+
+ wurde nicht durch die derzeitige Instanz von einem Aufruf von zurückgegeben.
+
+
+
+
+
+
+
+ Ruft einen Wert ab, der angibt, ob eine Antwort von einer Internetressource empfangen wurde.
+ true, wenn eine Antwort empfangen wurde, andernfalls false.
+
+
+ Gibt eine Auflistung der Name-Wert-Paare an, aus denen sich die HTTP-Header zusammensetzen.
+ Eine mit den Name-Wert-Paaren, aus denen sich die Header für die HTTP-Anforderung zusammensetzen.
+ Die Anforderung wurde durch Aufrufen der -Methode, der -Methode, der -Methode oder der -Methode gestartet.
+
+
+
+
+
+ Ruft die Methode für die Anforderung ab oder legt diese fest.
+ Die Anforderungsmethode zum Herstellen der Verbindung mit der Internetressource.Der Standardwert ist GET.
+ Es wurde keine Methode angegeben.- oder - Die Zeichenfolge der Methode enthält ungültige Zeichen.
+
+
+ Ruft den ursprünglichen URI (Uniform Resource Identifier) der Anforderung ab.
+ Ein mit dem URI der Internetressource, der an die -Methode übergeben wurde.
+
+
+ Ruft einen Wert ab, der angibt, ob die Anforderung Unterstützung für einen bereitstellt.
+ true, wenn der Vorgang Unterstützung für einen bietet, andernfalls false.true, wenn ein unterstützt wird, andernfalls false.
+
+
+ Ruft einen -Wert ab, der steuert, ob mit den Anforderungen Standardanmeldeinformationen gesendet werden, oder legt diesen fest.
+ true, wenn die Standardanmeldeinformationen verwendet werden, andernfalls false.Der Standardwert ist false.
+ Sie haben versucht, diese Eigenschaft festzulegen, nachdem die Anforderung gesendet wurde.
+
+
+
+
+
+ Stellt eine HTTP-spezifische Implementierung der -Klasse bereit.
+
+
+ Ruft die Länge des von der Anforderung zurückgegebenen Inhalts ab.
+ Die Anzahl von Bytes, die von der Anforderung zurückgegeben werden.Die Inhaltslänge schließt nicht die Headerinformationen ein.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft den Inhaltstyp der Antwort ab.
+ Eine Zeichenfolge, die den Inhaltstyp der Antwort enthält.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft die dieser Antwort zugeordneten Cookies ab oder legt diese fest.
+ Eine mit den dieser Antwort zugeordneten Cookies.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Gibt die vom verwendeten, nicht verwalteten Ressourcen frei und verwirft optional auch die verwalteten Ressourcen.
+ true, um sowohl verwaltete als auch nicht verwaltete Ressourcen freizugeben. false, wenn ausschließlich nicht verwaltete Ressourcen freigegeben werden sollen.
+
+
+ Ruft den Stream ab, der zum Lesen des Textkörpers der Serverantwort verwendet wird.
+ Ein mit dem Antworttext.
+ Es ist kein Antwortstream vorhanden.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+
+
+
+
+
+ Ruft die Header ab, die dieser Antwort vom Server zugeordnet sind.
+ Eine mit den mit der Antwort zurückgegebenen Headerinformationen.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft die zum Zurückgeben der Antwort verwendete Methode ab.
+ Eine Zeichenfolge mit der zum Zurückgeben der Antwort verwendeten HTTP-Methode.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft den URI der Internetressource ab, die die Anforderung beantwortet hat.
+ Ein -Objekt, das den URI der Internetressource enthält, die die Anforderung beantwortet hat.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft den Status der Antwort ab.
+ Einer der -Werte.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft die mit der Antwort zurückgegebene Statusbeschreibung ab.
+ Eine Zeichenfolge, die den Status der Antwort beschreibt.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft einen Wert ab, der angibt, ob Header unterstützt werden.
+ Gibt zurück.true, wenn Header unterstützt werden, andernfalls false.
+
+
+ Stellt die Basisschnittstelle zum Erstellen von -Instanzen bereit.
+
+
+ Erstellt eine -Instanz.
+ Eine -Instanz.
+ Der URI (Uniform Resource Identifier) der Webressource.
+ Das in angegebene Anforderungsschema wird von dieser -Instanz nicht unterstützt.
+
+ ist null.
+ Unter .NET for Windows Store apps oder in der Portable Klassenbibliothek verwenden Sie stattdessen die Basisklassenausnahme .Der in angegebene URI ist kein gültiger URI.
+
+
+ Diese Ausnahme wird ausgelöst, wenn beim Verwenden eines Netzwerkprotokolls ein Fehler auftritt.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse mit der angegebenen Meldung.
+ Die Zeichenfolge der Fehlermeldung.
+
+
+ Diese Ausnahme wird ausgelöst, wenn während des Netzwerkzugriffes über ein austauschbares Protokoll ein Fehler auftritt.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse mit der angegebenen Fehlermeldung.
+ Der Text der Fehlermeldung.
+
+
+ Initialisiert eine neue Instanz der -Klasse mit der angegebenen Fehlermeldung und der angegebenen geschachtelten Ausnahme.
+ Der Text der Fehlermeldung.
+ Eine geschachtelte Ausnahme.
+
+
+ Initialisiert eine neue Instanz der -Klasse mit der angegebenen Fehlermeldung, der geschachtelten Ausnahme, dem Status und der Antwort.
+ Der Text der Fehlermeldung.
+ Eine geschachtelte Ausnahme.
+ Einer der -Werte.
+ Eine -Instanz, die die Antwort des Remotehosts enthält.
+
+
+ Initialisiert eine neue Instanz der -Klasse mit der angegebenen Fehlermeldung und dem angegebenen Status.
+ Der Text der Fehlermeldung.
+ Einer der -Werte.
+
+
+ Ruft die vom Remotehost zurückgegebene Antwort ab.
+ Wenn eine Antwort der Internetressource verfügbar ist, eine -Instanz mit der Fehlerantwort einer Internetressource, andernfalls null.
+
+
+ Ruft den Status der Antwort ab.
+ Einer der -Werte.
+
+
+ Definiert Statuscodes für die -Klasse.
+
+
+ Auf der Transportebene konnte keine Verbindung mit dem remoten Dienstpunkt hergestellt werden.
+
+
+ Es wurde eine Meldung empfangen, bei der die festgelegte Größe für das Senden einer Anforderung bzw. das Empfangen einer Antwort vom Server überschritten wurde.
+
+
+ Eine interne asynchrone Anforderung steht aus.
+
+
+ Die Anforderung wurde abgebrochen. Es wurde die -Methode aufgerufen, oder ein nicht klassifizierbarer Fehler ist aufgetreten.Dies ist der Standardwert für .
+
+
+ Es konnte keine vollständige Anforderung an den Remoteserver gesendet werden.
+
+
+ Es ist kein Fehler aufgetreten.
+
+
+ Eine Ausnahme unbekannten Typs ist aufgetreten.
+
+
+ Sendet eine Anforderung an einen Uniform Resource Identifier (URI).Dies ist eine abstract Klasse.
+
+
+ Initialisiert eine neue Instanz der-Klasse.
+
+
+ Bricht die Anforderung ab.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ Stellt beim Überschreiben in einer Nachfolgerklasse eine asynchrone Version der -Methode bereit.
+ Ein , das auf die asynchrone Anforderung verweist.
+ Der -Delegat.
+ Ein Objekt mit Zustandsinformationen für diese asynchrone Anforderung.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Startet beim Überschreiben in einer Nachfolgerklasse eine asynchrone Anforderung einer Internetressource.
+ Ein , das auf die asynchrone Anforderung verweist.
+ Der -Delegat.
+ Ein Objekt mit Zustandsinformationen für diese asynchrone Anforderung.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse den Inhaltstyp der zu sendenden Anforderungsdaten ab oder legt diese fest.
+ Der Inhaltstyp der Anforderungsdaten.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Initialisiert eine neue -Instanz für das angegebene URI-Schema.
+ Ein -Nachfolger für ein bestimmtes URI-Schema.
+ Der URI, der die Internetressource bezeichnet.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ Initialisiert eine neue -Instanz für das angegebene URI-Schema.
+ Ein -Nachfolger für das angegebene URI-Schema.
+ Ein mit dem URI der angeforderten Ressource.
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ Initialisiert eine neue -Instanz für die angegebene URI-Zeichenfolge.
+ Gibt zurück.Eine -Instanz für die spezifische URI-Zeichenfolge.
+ Eine URI-Zeichenfolge, mit der die Internetressource bezeichnet wird.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Initialisiert eine neue -Instanz für den angegebenen URI.
+ Gibt zurück.Eine -Instanz für die spezifische URI-Zeichenfolge.
+ Ein URI, mit dem die Internetressource bezeichnet wird.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse die Netzwerkanmeldeinformationen, die für die Authentifizierung der Anforderung der Internetressource verwendet werden, ab oder legt diese fest.
+ Ein -Objekt mit den mit der Anforderung verknüpften Authentifizierungsanmeldeinformationen.Die Standardeinstellung ist null.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Ruft den globalen HTTP-Proxy ab oder legt diesen fest.
+ Ein von jedem Aufruf der Instanzen von verwendeter .
+
+
+ Gibt beim Überschreiben in einer Nachfolgerklasse einen zum Schreiben von Daten in die Internetressource zurück.
+ Ein , in den Daten geschrieben werden können.
+ Ein , das auf eine ausstehende Anforderung eines Streams verweist.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Gibt beim Überschreiben in einer Nachfolgerklasse eine zurück.
+ Eine mit einer Antwort auf die Internetanforderung.
+ Ein , das auf eine ausstehende Anforderung einer Antwort verweist.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Gibt nach dem Überschreiben in einer abgeleiteten Klasse einen zurück, womit Daten in einem asynchronen Vorgang in die Internetressource geschrieben werden können.
+ Gibt zurück.Das Aufgabenobjekt, das den asynchronen Vorgang darstellt.
+
+
+ Gibt beim Überschreiben in einer Nachfolgerklasse in einem asynchronen Vorgang eine Antwort auf eine Internetanforderung zurück.
+ Gibt zurück.Das Aufgabenobjekt, das den asynchronen Vorgang darstellt.
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse eine Auflistung von Name-Wert-Paaren für Header ab, die mit der Anforderung verknüpft sind, oder legt diese fest.
+ Eine mit den dieser Anforderung zugeordneten Name-Wert-Paaren für Header.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse die in dieser Anforderung zu verwendende Protokollmethode ab oder legt diese fest.
+ Die in dieser Anforderung zu verwendende Protokollmethode.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse den beim Zugriff auf diese Internetressource verwendeten Netzwerkproxy ab oder legt diesen fest.
+ Der beim Zugriff auf die Internetressource zu verwendende .
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Registriert einen -Nachfolger für den angegebenen URI.
+ true, wenn die Registrierung erfolgreich ist, andernfalls false.
+ Der vollständige URI oder das URI-Präfix, der bzw. das der -Nachfolger bearbeitet.
+ Die Erstellungsmethode, die die zum Erstellen des -Nachfolgers aufruft.
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse den mit der Anforderung verknüpften URI der Internetressource ab.
+ Ein , der die der Anforderung zugeordnete Ressource darstellt.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse einen -Wert ab, der steuert, ob mit Anforderungen gesendet werden, oder legt einen solchen Wert fest.
+ true, wenn die Standardanmeldeinformationen verwendet werden, andernfalls false.Der Standardwert ist false.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Stellt eine Antwort eines URIs (Uniform Resource Identifier) bereit.Dies ist eine abstract Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse die Inhaltslänge der empfangenen Daten ab oder legt diese fest.
+ Die Anzahl der von der Internetressource zurückgegebenen Bytes.
+ Es wurde versucht, die Eigenschaft abzurufen oder festzulegen, obwohl die Eigenschaft in einer Nachfolgerklasse nicht überschrieben wurde.
+
+
+
+
+
+ Ruft beim Überschreiben in einer abgeleiteten Klasse den Inhaltstyp der empfangenen Daten ab oder legt diesen fest.
+ Eine Zeichenfolge, die den Inhaltstyp der Antwort enthält.
+ Es wurde versucht, die Eigenschaft abzurufen oder festzulegen, obwohl die Eigenschaft in einer Nachfolgerklasse nicht überschrieben wurde.
+
+
+
+
+
+ Gibt die vom -Objekt verwendeten nicht verwalteten Ressourcen frei.
+
+
+ Gibt die vom -Objekt verwendeten nicht verwalteten Ressourcen und verwirft optional auch die verwalteten Ressourcen.
+ true, um sowohl verwaltete als auch nicht verwaltete Ressourcen freizugeben. false, wenn ausschließlich nicht verwaltete Ressourcen freigegeben werden sollen.
+
+
+ Gibt beim Überschreiben in einer Nachfolgerklasse den Datenstream von der Internetressource zurück.
+ Eine Instanz der -Klasse zum Lesen von Daten aus der Internetressource.
+ Es wurde versucht, auf die Methode zuzugreifen, obwohl die Methode in einer Nachfolgerklasse nicht überschrieben wurde.
+
+
+
+
+
+ Ruft beim Überschreiben in einer abgeleiteten Klasse eine Auflistung von Name-Wert-Paaren für Header ab, die dieser Anforderung zugeordnet sind.
+ Eine Instanz der -Klasse, die Headerwerte enthält, die dieser Antwort zugeordnet sind.
+ Es wurde versucht, die Eigenschaft abzurufen oder festzulegen, obwohl die Eigenschaft in einer Nachfolgerklasse nicht überschrieben wurde.
+
+
+
+
+
+ Ruft beim Überschreiben in einer abgeleiteten Klasse den URI der Internetressource ab, die letztlich auf die Anforderung geantwortet hat.
+ Eine Instanz der -Klasse, die den URI der Internetressource enthält, die letztlich auf die Anforderung geantwortet hat.
+ Es wurde versucht, die Eigenschaft abzurufen oder festzulegen, obwohl die Eigenschaft in einer Nachfolgerklasse nicht überschrieben wurde.
+
+
+
+
+
+ Ruft einen Wert ab, der angibt, ob Header unterstützt werden.
+ Gibt zurück.true, wenn Header unterstützt werden, andernfalls false.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/es/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/es/System.Net.Requests.xml
new file mode 100644
index 0000000..1174941
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/es/System.Net.Requests.xml
@@ -0,0 +1,537 @@
+
+
+
+ System.Net.Requests
+
+
+
+ Proporciona una implementación específica de HTTP de la clase .
+
+
+ Cancela una solicitud de un recurso de Internet.
+
+
+
+
+
+
+
+ Obtiene o establece el valor del encabezado HTTP Accept.
+ Valor del encabezado HTTP Accept.El valor predeterminado es null.
+
+
+ Obtiene o establece un valor que indica si los datos recibidos del recurso de Internet deben almacenarse en el búfer.
+ truepara almacenar en búfer recibido del recurso de Internet; de lo contrario, false.Es true para habilitar el almacenamiento en búfer de los datos recibidos del recurso de Internet; es false para deshabilitar el almacenamiento en búfer.De manera predeterminada, es true.
+
+
+ Inicia una solicitud asincrónica de un objeto que se va a utilizar para escribir datos.
+
+ que hace referencia a la solicitud asincrónica.
+ Delegado .
+ Objeto de estado de esta solicitud.
+ La propiedad es GET o HEAD.o bien es true, es false, es -1, es false y es POST o PUT.
+ La secuencia la utiliza una llamada anterior a .o bien se establece en un valor y es false.o bien El grupo de subprocesos se queda sin subprocesos.
+ El validador de caché de solicitud indicó que la respuesta para esta solicitud se puede obtener de la caché; sin embargo, las solicitudes que escriben datos no deben utilizar la caché.Esta excepción puede aparecer si se utiliza un validador de caché personalizado que se implementa incorrectamente.
+ Se llamó anteriormente a .
+ En una aplicación de .NET Compact Framework, una secuencia de solicitudes con longitud de contenido cero no se obtuvo y se cerró correctamente.Para obtener más información sobre cómo controlar las solicitudes de longitud de contenido cero, vea Network Programming in the .NET Compact Framework.
+
+
+
+
+
+
+
+
+
+
+ Inicia una solicitud asincrónica de un recurso de Internet.
+
+ que hace referencia a la solicitud asincrónica de una respuesta.
+ Delegado .
+ Objeto de estado de esta solicitud.
+ La secuencia está en uso por una llamada anterior al método .o bien se establece en un valor y es false.o bien El grupo de subprocesos se queda sin subprocesos.
+
+ es GET o HEAD, y es mayor que cero o es true.o bien es true, es false, y es -1, es false y es POST o PUT.o bien tiene un cuerpo de entidad pero se llama al método sin llamar al método . o bien es mayor que el cero, pero la aplicación no escribe todos los datos prometidos.
+ Se llamó anteriormente a .
+
+
+
+
+
+
+
+
+
+
+ Obtiene o establece el valor del encabezado HTTP Content-type.
+ Valor del encabezado HTTP Content-type.El valor predeterminado es null.
+
+
+ Obtiene o establece el tiempo de espera, en milisegundos, para esperar hasta que se reciba 100-Continue del servidor.
+ El tiempo de espera, en milisegundos, que se espera hasta que se recibe 100-Continue.
+
+
+ Obtiene o establece las cookies asociadas a la solicitud.
+
+ que contiene las cookies asociadas a esta solicitud.
+
+
+ Obtiene o establece la información de autenticación para la solicitud.
+
+ que contiene las credenciales de autenticación asociadas a la solicitud.De manera predeterminada, es null.
+
+
+
+
+
+ Finaliza una solicitud asincrónica para utilizar un objeto para escribir datos.
+
+ que se utiliza para escribir los datos de la solicitud.
+ Solicitud pendiente de un flujo.
+
+ is null.
+ La solicitud no se completó y no hay ninguna secuencia disponible.
+ La instancia actual no devolvió de una llamada a .
+ Se llamó anteriormente a este método por medio de .
+ Se llamó anteriormente a .o bien Se ha producido un error al procesar la solicitud.
+
+
+
+
+
+
+
+ Finaliza una solicitud asincrónica de un recurso de Internet.
+
+ que contiene la respuesta del recurso de Internet.
+ Solicitud de una respuesta pendiente.
+
+ is null.
+ Se llamó anteriormente a este método por medio de .o bien La propiedad es mayor que 0, aunque no se han escrito los datos en la secuencia de la solicitud.
+ Se llamó anteriormente a .o bien Se ha producido un error al procesar la solicitud.
+ La instancia actual no devolvió de una llamada a .
+
+
+
+
+
+
+
+ Obtiene un valor que indica si se ha recibido una respuesta de un recurso de Internet.
+ Es true si se ha recibido una respuesta; de lo contrario, es false.
+
+
+ Especifica una colección de los pares nombre/valor que componen los encabezados HTTP.
+
+ que contiene los pares nombre-valor que componen los encabezados de la solicitud HTTP.
+ La solicitud se inició llamando al método , , o .
+
+
+
+
+
+ Obtiene o establece el método para la solicitud.
+ Método de solicitud que se debe utilizar para establecer contacto con el recurso de Internet.El valor predeterminado es GET.
+ No se proporciona ningún método.o bien La cadena de método contiene caracteres no válidos.
+
+
+ Obtiene el identificador URI original de la solicitud.
+ Un que contiene el URI del recurso de Internet pasado a la método.
+
+
+ Obtiene un valor que indica si la solicitud admite un .
+ trueSi la solicitud proporciona compatibilidad para una ; de lo contrario, false.trueSi un se admite; de lo contrario, false.
+
+
+ Obtiene o establece un valor que controla si se envían las credenciales predeterminadas con las solicitudes.
+ Es true si se utilizan las credenciales predeterminadas; en cualquier otro caso, es false.El valor predeterminado es false.
+ Se intentó establecer esta propiedad después de que se enviara la solicitud.
+
+
+
+
+
+ Proporciona una implementación específica de HTTP de la clase .
+
+
+ Obtiene la longitud del contenido devuelto por la solicitud.
+ Número de bytes devueltos por la solicitud.La longitud del contenido no incluye la información de encabezado.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene el tipo de contenido de la respuesta.
+ Cadena que contiene el tipo de contenido de la respuesta.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene o establece las cookies asociadas a esta respuesta.
+ Un objeto que contiene las cookies asociadas a esta respuesta.
+ Se ha eliminado la instancia actual.
+
+
+ Libera los recursos no administrados que usa y, de forma opcional, desecha los recursos administrados.
+ Es true para liberar tanto recursos administrados como no administrados; es false para liberar únicamente recursos no administrados.
+
+
+ Obtiene la secuencia usada para leer el cuerpo de la respuesta del servidor.
+
+ que contiene el cuerpo de la respuesta.
+ No hay secuencia de respuesta.
+ Se ha eliminado la instancia actual.
+
+
+
+
+
+
+
+ Obtiene los encabezados asociados con esta respuesta del servidor.
+
+ que contiene la información de encabezado devuelta con la respuesta.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene el método usado para devolver la respuesta.
+ Cadena que contiene el método HTTP usado para devolver la respuesta.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene el URI del recurso de Internet que respondió a la solicitud.
+ Objeto que contiene el URI del recurso de Internet que respondió a la solicitud.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene el estado de la respuesta.
+ Uno de los valores de .
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene la descripción del estado devuelto con la respuesta.
+ Cadena que describe el estado de la respuesta.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene un valor que indica si se admiten encabezados.
+ Devuelve .Es true si se admiten encabezados; de lo contrario, es false.
+
+
+ Proporciona la interfaz base para crear instancias de .
+
+
+ Crea una instancia de .
+ Instancia de .
+ Identificador de recursos uniforme (URI) del recurso Web.
+ Esta instancia de no admite el esquema de solicitud especificado en .
+
+ es null.
+ En las API de .NET para aplicaciones de la Tienda Windows o en la Biblioteca de clases portable, encuentre la excepción de la clase base, , en su lugar.El identificador URI especificado en no es válido.
+
+
+ Excepción que se produce cuando se produce un error mientras se utiliza un protocolo de red.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase con el mensaje especificado.
+ Cadena con el mensaje de error.
+
+
+ Excepción que se produce cuando se produce un error al obtener acceso a la red mediante un protocolo conectable.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase con el mensaje de error especificado.
+ Texto del mensaje de error.
+
+
+ Inicializa una nueva instancia de la clase con el mensaje de error y la excepción anidada especificados.
+ Texto del mensaje de error.
+ Excepción anidada.
+
+
+ Inicializa una nueva instancia de la clase con el mensaje de error, la excepción anidada, el estado y la respuesta especificados.
+ Texto del mensaje de error.
+ Excepción anidada.
+ Uno de los valores de .
+ Instancia de que contiene la respuesta del host remoto.
+
+
+ Inicializa una nueva instancia de la clase con el mensaje de error y el estado especificados.
+ Texto del mensaje de error.
+ Uno de los valores de .
+
+
+ Obtiene la respuesta que devolvió el host remoto.
+ Si hay una respuesta disponible en el recurso de Internet, se trata de una instancia de que contiene la respuesta de error de un recurso de Internet; en caso contrario, es null.
+
+
+ Obtiene el estado de la respuesta.
+ Uno de los valores de .
+
+
+ Define códigos de estado para la clase .
+
+
+ No se ha podido establecer contacto con el punto de servicio remoto en el nivel de transporte.
+
+
+ Se recibió un mensaje que superaba el límite especificado al enviar una solicitud o recibir una respuesta del servidor.
+
+
+ Está pendiente una solicitud asincrónica interna.
+
+
+ La solicitud se canceló, se llamó al método o se produjo un error no clasificable.Éste es el valor predeterminado de .
+
+
+ No se ha podido enviar una solicitud completa al servidor remoto.
+
+
+ No se ha encontrado ningún error.
+
+
+ Se ha producido una excepción de tipo desconocido.
+
+
+ Realiza una solicitud a un identificador uniforme de recursos (URI).Esta es una clase abstract.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Anula la solicitud
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ Cuando se reemplaza en una clase descendiente, proporciona una versión asincrónica del método .
+
+ que hace referencia a la solicitud asincrónica.
+ Delegado .
+ Objeto que contiene información de estado para esta solicitud asincrónica.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Cuando se reemplaza en una clase descendiente, comienza una solicitud asincrónica de un recurso de Internet.
+
+ que hace referencia a la solicitud asincrónica.
+ Delegado .
+ Objeto que contiene información de estado para esta solicitud asincrónica.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece el tipo de contenido de los datos solicitados que se envían.
+ Tipo de contenido de los datos de la solicitud.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Inicializa una nueva instancia de para el esquema URI especificado.
+ Descendiente para un esquema URI específico.
+ URI que identifica el recurso de Internet.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ Inicializa una nueva instancia de para el esquema URI especificado.
+ Descendiente para el esquema URI especificado.
+
+ que contiene el identificador URI del recurso solicitado.
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ Inicializa una nueva instancia de para la cadena de URI especificada.
+ Devuelve .Instancia de para la cadena de URI concreta.
+ Cadena de URI que identifica el recurso de Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Inicializa una nueva instancia de para el URI especificado.
+ Devuelve .Instancia de para la cadena de URI concreta.
+ URI que identifica el recurso de Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece las credenciales de red utilizadas para autenticar la solicitud con el recurso de Internet.
+
+ que contiene las credenciales de autenticación asociadas a la solicitud.De manera predeterminada, es null.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Obtiene o establece el proxy HTTP global.
+ Objeto usado en cada llamada a las instancias de .
+
+
+ Cuando se reemplaza en una clase descendiente, devuelve para escribir datos en el recurso de Internet.
+
+ donde se escribirán datos.
+
+ que hace referencia a una solicitud pendiente de una secuencia.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Cuando se reemplaza en una clase descendiente, devuelve .
+
+ que contiene una respuesta a la solicitud de Internet.
+
+ que hace referencia a una solicitud de respuesta pendiente.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Cuando se invalida en una clase descendiente, devuelve un objeto para escribir datos en el recurso de Internet como una operación asincrónica.
+ Devuelve .Objeto de tarea que representa la operación asincrónica.
+
+
+ Cuando se invalida en una clase descendiente, devuelve una respuesta a una solicitud de Internet como una operación asincrónica.
+ Devuelve .Objeto de tarea que representa la operación asincrónica.
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece la colección de pares de nombre/valor de encabezado asociados a la solicitud.
+
+ que contiene los pares de nombre/valor de encabezado que están asociados a esta solicitud.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece el método de protocolo que se va a utilizar en esta solicitud.
+ Método de protocolo que se utilizará en esta solicitud.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece el proxy de red que se va a utilizar para tener acceso a este recurso de Internet.
+
+ que se va a utilizar para tener acceso al recurso de Internet.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Registra un descendiente para el identificador URI especificado.
+ Es true si el registro es correcto; en caso contrario, es false.
+ Identificador URI o prefijo URI completo que resuelve el descendiente de .
+ Método de creación al que llama para crear el descendiente .
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene el identificador URI del recurso de Internet asociado a la solicitud.
+
+ que representa el recurso asociado a la solicitud
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece un valor que controla si se envían con las solicitudes.
+ Es true si se utilizan las credenciales predeterminadas; en caso contrario, es false.El valor predeterminado es false.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Proporciona una respuesta desde un identificador de recursos uniforme (URI).Esta es una clase abstract.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece la longitud del contenido de los datos recibidos.
+ Número de bytes devuelto desde el recurso de Internet.
+ Se intenta por todos los medios obtener o establecer la propiedad, cuando la propiedad no se reemplaza en una clase descendiente.
+
+
+
+
+
+ Cuando se realizan omisiones en una clase derivada, obtiene o establece el tipo de contenido de los datos recibidos.
+ Cadena que contiene el tipo de contenido de la respuesta.
+ Se intenta por todos los medios obtener o establecer la propiedad, cuando la propiedad no se reemplaza en una clase descendiente.
+
+
+
+
+
+ Libera los recursos no administrados que usa el objeto .
+
+
+ Libera los recursos no administrados que usa el objeto y, de forma opcional, desecha los recursos administrados.
+ Es true para liberar tanto recursos administrados como no administrados; es false para liberar únicamente recursos no administrados.
+
+
+ Cuando se reemplaza en una clase descendiente, se devuelve el flujo de datos desde el recurso de Internet.
+ Instancia de la clase para leer los datos procedentes del recurso de Internet.
+ Se intenta por todos los medios tener acceso al método, cuando el método no se reemplaza en una clase descendiente.
+
+
+
+
+
+ Cuando se realizan omisiones en una clase derivada, obtiene una colección de pares de nombre-valor de encabezado asociados a esta solicitud.
+ Instancia de la clase que contiene los valores de encabezado asociados a esta respuesta.
+ Se intenta por todos los medios obtener o establecer la propiedad, cuando la propiedad no se reemplaza en una clase descendiente.
+
+
+
+
+
+ Cuando se reemplaza en una clase derivada, obtiene el identificador URI del recurso de Internet que respondió a la solicitud.
+ Instancia de la clase que contiene el identificador URI del recurso de Internet que respondió a la solicitud.
+ Se intenta por todos los medios obtener o establecer la propiedad, cuando la propiedad no se reemplaza en una clase descendiente.
+
+
+
+
+
+ Obtiene un valor que indica si se admiten encabezados.
+ Devuelve .Es true si se admiten encabezados; de lo contrario, es false.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/fr/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/fr/System.Net.Requests.xml
new file mode 100644
index 0000000..0bf225f
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/fr/System.Net.Requests.xml
@@ -0,0 +1,530 @@
+
+
+
+ System.Net.Requests
+
+
+
+ Fournit une implémentation propre à HTTP de la classe .
+
+
+ Annule une requête adressée à une ressource Internet.
+
+
+
+
+
+
+
+ Obtient ou définit la valeur de l'en-tête HTTP Accept.
+ Valeur de l'en-tête HTTP Accept.La valeur par défaut est null.
+
+
+ Obtient ou définit une valeur indiquant si les données reçues à partir de la ressource Internet doivent être mises en mémoire tampon.
+ truedans la mémoire tampon reçues à partir de la ressource Internet ; Sinon, false.true pour activer la mise en mémoire tampon des données lues à partir de la ressource Internet ; false pour désactiver la mise en mémoire tampon.La valeur par défaut est true.
+
+
+ Démarre une requête asynchrone d'un objet à utiliser pour écrire des données.
+
+ qui fait référence à la requête asynchrone.
+ Délégué .
+ Objet d'état de cette requête.
+ La propriété est GET ou HEAD.ou La propriété a la valeur true, la propriété a la valeur false, la propriété a la valeur -1, la propriété a la valeur false et la propriété a la valeur POST ou PUT.
+ Le flux est actuellement utilisé par un appel antérieur à .ou Une valeur est affectée à la propriété et la propriété est false.ou Le pool de threads dispose d'un nombre insuffisant de threads.
+ Le validateur de cache de la requête a indiqué que la réponse à cette requête peut être fournie à partir du cache ; toutefois, les requêtes qui écrivent des données ne doivent pas utiliser le cache.Cette exception peut se produire si vous utilisez un validateur de cache personnalisé qui est implémenté de manière incorrecte.
+ La méthode a été appelée au préalable.
+ Dans une application .NET Compact Framework, un flux de requête avec une longueur de contenu nulle n'a pas été obtenu ni fermé correctement.Pour plus d'informations sur la gestion de requêtes avec une longueur de contenu nulle, consultez Network Programming in the .NET Compact Framework.
+
+
+
+
+
+
+
+
+
+
+ Démarre une requête asynchrone adressée à une ressource Internet.
+
+ qui fait référence à la requête asynchrone d'une réponse.
+ Délégué .
+ Objet d'état de cette requête.
+ Le flux est déjà utilisé par un appel antérieur à .ou Une valeur est affectée à la propriété et la propriété est false.ou Le pool de threads dispose d'un nombre insuffisant de threads.
+ La propriété a la valeur GET ou HEAD et la propriété est supérieure à zéro ou la propriété est true.ou La propriété a la valeur true, la propriété a la valeur false et la propriété a la valeur -1, la propriété a la valeur false et la propriété a la valeur POST ou PUT.ou Le a un corps d'entité, mais la méthode est appelée sans appeler la méthode . ou Le est supérieur à zéro, mais l'application n'écrit pas toutes les données promises.
+ La méthode a été appelée au préalable.
+
+
+
+
+
+
+
+
+
+
+ Obtient ou définit la valeur de l'en-tête HTTP Content-type.
+ Valeur de l'en-tête HTTP Content-type.La valeur par défaut est null.
+
+
+ Obtient ou définit le délai d'attente, en millisecondes, jusqu'à réception de la réponse 100-Continue depuis le serveur.
+ Délai d'attente, en millisecondes, jusqu'à réception de la réponse 100-Continue.
+
+
+ Obtient ou définit les cookies associés à la requête.
+
+ contenant les cookies associés à cette requête.
+
+
+ Obtient ou définit les informations d'authentification pour la requête.
+
+ qui contient les informations d'authentification associées à la requête.La valeur par défaut est null.
+
+
+
+
+
+ Met fin à une requête asynchrone d'un objet à utiliser pour écrire des données.
+
+ à utiliser pour écrire les données de la requête.
+ Requête d'un flux en attente.
+
+ a la valeur null.
+ La requête ne s'est pas achevée et aucun flux n'est disponible.
+
+ n'a pas été retourné par l'instance actuelle à partir d'un appel à la méthode .
+ Cette méthode a été appelée au préalable à l'aide de .
+ La méthode a été appelée au préalable.ou Une erreur s'est produite pendant le traitement de la requête.
+
+
+
+
+
+
+
+ Termine une requête asynchrone adressée à une ressource Internet.
+
+ contenant la réponse de la ressource Internet.
+ Requête d'une réponse en attente.
+
+ a la valeur null.
+ Cette méthode a été appelée au préalable à l'aide de ou La propriété est supérieure à 0, mais les données n'ont pas été écrites dans le flux de requête.
+ La méthode a été appelée au préalable.ou Une erreur s'est produite pendant le traitement de la requête.
+
+ n'a pas été retourné par l'instance actuelle à partir d'un appel à la méthode .
+
+
+
+
+
+
+
+ Obtient une valeur indiquant si une réponse a été reçue d'une ressource Internet.
+ true si une réponse a été reçue ; sinon, false.
+
+
+ Spécifie une collection de paires nom-valeur qui composent les en-têtes HTTP.
+
+ contenant les paires nom-valeur qui composent les en-têtes de la requête HTTP.
+ La requête a été lancée suite à l'appel de la méthode , , ou .
+
+
+
+
+
+ Obtient ou définit la méthode pour la requête.
+ Méthode de requête à utiliser pour contacter la ressource Internet.La valeur par défaut est GET.
+ Aucune méthode n'est fournie.ou La chaîne de la méthode contient des caractères non valides.
+
+
+ Obtient l'URI (Uniform Resource Identifier) d'origine de la requête.
+
+ contenant l'URI de la ressource Internet passée à la méthode .
+
+
+ Obtient une valeur qui indique si la requête fournit une prise en charge pour une .
+ trueSi la demande prend en charge une ; Sinon, false.true si un est pris en charge ; sinon, false.
+
+
+ Obtient ou définit une valeur qui contrôle si les informations d'identification par défaut sont envoyées avec les requêtes.
+ true si les informations d'identification par défaut sont utilisées ; sinon, false.La valeur par défaut est false.
+ Vous avez essayé de définir cette propriété après l'envoi de la requête.
+
+
+
+
+
+ Fournit une implémentation propre à HTTP de la classe .
+
+
+ Obtient la longueur du contenu retourné par la demande.
+ Nombre d'octets retournés par la demande.La longueur de contenu n'inclut pas d'informations d'en-tête.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient le type de contenu de la réponse.
+ Chaîne qui contient le type de contenu de la réponse.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient ou définit les cookies qui sont associés à cette réponse.
+
+ qui contient les cookies associés à cette réponse.
+ L'instance actuelle a été supprimée.
+
+
+ Libère les ressources non managées utilisées par et supprime éventuellement les ressources managées.
+ true pour libérer les ressources managées et non managées ; false pour libérer uniquement les ressources non managées.
+
+
+ Obtient le flux qui est utilisé pour lire le corps de la réponse du serveur.
+
+ contenant le corps de la réponse.
+ Il n'y a pas de flux de réponse.
+ L'instance actuelle a été supprimée.
+
+
+
+
+
+
+
+ Obtient du serveur les en-têtes qui sont associés à cette réponse.
+
+ qui contient les informations d'en-tête retournées avec la réponse.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient la méthode qui est utilisée pour retourner la réponse.
+ Chaîne qui contient la méthode HTTP utilisée pour retourner la réponse.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient l'URI de la ressource Internet qui a répondu à la demande.
+
+ qui contient l'URI de la ressource Internet qui a répondu à la demande.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient l'état de la réponse.
+ Une des valeurs de .
+ L'instance actuelle a été supprimée.
+
+
+ Obtient la description d'état retournée avec la réponse.
+ Chaîne qui décrit l'état de la réponse.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient une valeur qui indique si les en-têtes sont pris en charge.
+ Retourne .true si les en-têtes sont pris en charge ; sinon, false.
+
+
+ Fournit l'interface de base pour la création d'instances de .
+
+
+ Crée une instance de .
+ Instance de .
+ URI (Uniform Resource Identifier) de la ressource Web.
+ Le schéma de demande spécifié dans n'est pas pris en charge par cette instance de .
+
+ a la valeur null.
+ Dans les .NET pour applications Windows Store ou la Bibliothèque de classes portable, intercepte l'exception de classe de base, , sinon.L'URI spécifié dans n'est pas un URI valide.
+
+
+ Exception levée en cas d'erreur durant l'utilisation d'un protocole réseau.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe avec le message spécifié.
+ Chaîne du message d'erreur.
+
+
+ Exception levée en cas d'erreur lors de l'accès au réseau via un protocole enfichable.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe avec le message d'erreur spécifié.
+ Texte du message d'erreur.
+
+
+ Initialise une nouvelle instance de la classe avec le message d'erreur et l'exception imbriquée spécifiés.
+ Texte du message d'erreur.
+ Une exception imbriquée.
+
+
+ Initialise une nouvelle instance de la classe avec le message d'erreur, l'exception imbriquée, l'état et la réponse spécifiés.
+ Texte du message d'erreur.
+ Une exception imbriquée.
+ Une des valeurs de .
+ Instance de qui contient la réponse de l'hôte distant.
+
+
+ Initialise une nouvelle instance de la classe avec le message d'erreur et l'état spécifiés.
+ Texte du message d'erreur.
+ Une des valeurs de .
+
+
+ Obtient la réponse retournée par l'hôte distant.
+ Instance de qui contient la réponse d'erreur issue d'une ressource Internet, lorsqu'une réponse est disponible à partir de cette ressource ; sinon, null.
+
+
+ Obtient l'état de la réponse.
+ Une des valeurs de .
+
+
+ Définit les codes d'état pour la classe .
+
+
+ Le point de service distant n'a pas pu être contacté au niveau du transport.
+
+
+ Le message reçu dépassait la limite spécifiée lors de l'envoi d'une demande ou de la réception d'une réponse du serveur.
+
+
+ Une demande asynchrone interne est en attente.
+
+
+ La demande a été annulée, la méthode a été appelée ou une erreur inclassable s'est produite.C'est la valeur par défaut pour .
+
+
+ Une demande complète n'a pas pu être envoyée au serveur distant.
+
+
+ Aucune erreur n'a été rencontrée.
+
+
+ Une exception d'un type inconnu s'est produite.
+
+
+ Effectue une demande à un URI (Uniform Resource Identifier).Il s'agit d'une classe abstract.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Abandonne la demande.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ En cas de substitution dans une classe descendante, fournit une version asynchrone de la méthode .
+ Élément qui référence la demande asynchrone.
+ Délégué .
+ Objet contenant les informations d'état de cette demande asynchrone.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ En cas de substitution dans une classe descendante, démarre une demande asynchrone pour une ressource Internet.
+ Élément qui référence la demande asynchrone.
+ Délégué .
+ Objet contenant les informations d'état de cette demande asynchrone.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ En cas de substitution dans une classe descendante, obtient ou définit le type de contenu des données de demande envoyées.
+ Type de contenu des données de demande.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Initialise une nouvelle instance de pour le modèle d'URI spécifié.
+ Descendant de pour le modèle d'URI spécifique.
+ URI qui identifie la ressource Internet.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ Initialise une nouvelle instance de pour le modèle d'URI spécifié.
+ Descendant de pour le modèle d'URI spécifié.
+ Élément contenant l'URI de la ressource demandée.
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ Initialise une nouvelle instance de pour la chaîne d'URI spécifiée.
+ Retourne .Instance de pour la chaîne d'URI spécifique.
+ Chaîne d'URI qui identifie la ressource Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Initialise une nouvelle instance de pour l'URI spécifié.
+ Retourne .Instance de pour la chaîne d'URI spécifique.
+ URI qui identifie la ressource Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ En cas de substitution dans une classe descendante, obtient ou définit les informations d'identification réseau utilisées pour authentifier la demande auprès de la ressource Internet.
+ Élément contenant les informations d'identification d'authentification associées à la demande.La valeur par défaut est null.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Obtient ou définit le proxy HTTP global.
+ Élément utilisé par chaque appel aux instances de .
+
+
+ En cas de remplacement dans une classe descendante, retourne un élément pour l'écriture de données dans la ressource Internet.
+ Élément dans lequel écrire des données.
+ Élément qui référence une demande en attente pour un flux.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ En cas de remplacement dans une classe descendante, retourne un élément .
+ Élément qui contient une réponse à la demande Internet.
+ Élément qui référence une demande de réponse en attente.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ En cas de remplacement dans une classe descendante, retourne un élément pour l'écriture de données dans la ressource Internet sous forme d'opération asynchrone.
+ Retourne .Objet de tâche représentant l'opération asynchrone.
+
+
+ En cas de substitution dans une classe descendante, retourne une réponse à une demande Internet en tant qu'opération asynchrone.
+ Retourne .Objet de tâche représentant l'opération asynchrone.
+
+
+ En cas de substitution dans une classe descendante, obtient ou définit la collection de paires nom/valeur d'en-tête associées à la demande.
+ Élément qui contient les paires nom/valeur d'en-tête associées à cette demande.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ En cas de substitution dans une classe descendante, obtient ou définit la méthode de protocole à utiliser dans cette demande.
+ Méthode de protocole utilisée dans cette demande.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ En cas de substitution dans une classe descendante, obtient ou définit le proxy réseau à utiliser pour accéder à cette ressource Internet.
+ Élément à utiliser pour accéder à la ressource Internet.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Inscrit un descendant de pour l'URI spécifié.
+ true si l'inscription a réussi ; sinon, false.
+ URI complet ou préfixe d'URI traité par le descendant de .
+ Méthode de création appelée par l'élément pour créer le descendant de .
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ En cas de substitution dans une classe descendante, obtient l'URI de la ressource Internet associée à la demande.
+ Élément représentant la ressource associée à la demande.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ En cas de remplacement dans une classe descendante, obtient ou définit une valeur qui détermine si les éléments sont envoyés avec les demandes.
+ true si les informations d'identification par défaut sont utilisées ; sinon, false.La valeur par défaut est false.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Fournit une réponse provenant d'un URI (Uniform Resource Identifier).Il s'agit d'une classe abstract.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ En cas de substitution dans une classe dérivée, obtient ou définit la longueur du contenu des données reçues.
+ Nombre d'octets retournés par la ressource Internet.
+ Toutes les tentatives possibles sont effectuées pour obtenir ou définir la propriété si celle-ci n'est pas substituée dans une classe descendante.
+
+
+
+
+
+ En cas de substitution dans une classe dérivée, obtient ou définit le type de contenu des données reçues.
+ Chaîne qui contient le type de contenu de la réponse.
+ Toutes les tentatives possibles sont effectuées pour obtenir ou définir la propriété si celle-ci n'est pas substituée dans une classe descendante.
+
+
+
+
+
+ Libère les ressources non managées utilisées par l'objet .
+
+
+ Libère les ressources non managées utilisées par l'objet et supprime éventuellement les ressources managées.
+ true pour libérer les ressources managées et non managées ; false pour libérer uniquement les ressources non managées.
+
+
+ En cas de substitution dans une classe dérivée, retourne le flux de données de la ressource Internet.
+ Instance de la classe pour la lecture de données de la ressource Internet.
+ Toutes les tentatives possibles sont effectuées pour accéder à la méthode si celle-ci n'est pas substituée dans une classe descendante.
+
+
+
+
+
+ En cas de substitution dans une classe dérivée, obtient une collection de paires nom-valeur d'en-tête associées à cette demande.
+ Instance de la classe qui contient les valeurs d'en-tête associées à cette réponse.
+ Toutes les tentatives possibles sont effectuées pour obtenir ou définir la propriété si celle-ci n'est pas substituée dans une classe descendante.
+
+
+
+
+
+ En cas de substitution dans une classe dérivée, obtient l'URI de la ressource Internet qui a réellement répondu à la demande.
+ Instance de la classe qui contient l'URI de la ressource Internet qui a réellement répondu à la demande.
+ Toutes les tentatives possibles sont effectuées pour obtenir ou définir la propriété si celle-ci n'est pas substituée dans une classe descendante.
+
+
+
+
+
+ Obtient une valeur qui indique si les en-têtes sont pris en charge.
+ Retourne .true si les en-têtes sont pris en charge ; sinon, false.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/it/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/it/System.Net.Requests.xml
new file mode 100644
index 0000000..d048d98
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/it/System.Net.Requests.xml
@@ -0,0 +1,523 @@
+
+
+
+ System.Net.Requests
+
+
+
+ Fornisce un'implementazione specifica di HTTP della classe .
+
+
+ Annulla una richiesta a una risorsa Internet.
+
+
+
+
+
+
+
+ Ottiene o imposta il valore dell'intestazione HTTP Accept.
+ Valore dell'intestazione HTTP Accept.Il valore predefinito è null.
+
+
+ Ottiene o imposta un valore che indica se memorizzare nel buffer i dati ricevuti dalla risorsa Internet.
+ trueper memorizzare l'oggetto ricevuto dalla risorsa Internet. in caso contrario, false.true per abilitare la memorizzazione nel buffer dei dati ricevuti dalla risorsa Internet; false per disabilitarla.Il valore predefinito è true.
+
+
+ Avvia una richiesta asincrona per un oggetto da usare per la scrittura dei dati.
+ Oggetto che fa riferimento alla richiesta asincrona.
+ Delegato .
+ Oggetto di stato per la richiesta.
+ La proprietà è GET oppure HEAD.-oppure- è true, è false, è -1, è false e è POST o PUT.
+ Il flusso è utilizzato da una chiamata precedente a -oppure- è impostata su un valore e è false.-oppure- Il pool di thread sta esaurendo i thread.
+ Il validator della cache delle richieste ha indicato che la risposta per questa richiesta può essere soddisfatta dalla cache; tuttavia le richieste che scrivono dati non utilizzano la cache.Questa eccezione può verificarsi se si utilizza un validator personalizzato per la cache non implementato correttamente.
+
+ è stato chiamato precedentemente.
+ In un'applicazione .NET Compact Framework, un flusso di richiesta con una lunghezza del contenuto pari a zero non è stato ottenuto e chiuso in modo corretto.Per ulteriori informazioni sulla gestione di richieste di lunghezza del contenuto pari a zero, vedere Network Programming in the .NET Compact Framework.
+
+
+
+
+
+
+
+
+
+
+ Avvia una richiesta asincrona a una risorsa Internet.
+ Oggetto che fa riferimento alla richiesta asincrona per una risposta.
+ Delegato .
+ Oggetto di stato per la richiesta.
+ Il flusso è già utilizzato da una chiamata precedente a .-oppure- è impostata su un valore e è false.-oppure- Il pool di thread sta esaurendo i thread.
+
+ è GET oppure HEAD e è maggiore di zero o è true.-oppure- è true, è false e è -1, è false e è POST o PUT.-oppure- dispone di un corpo dell'entità ma il metodo viene chiamato senza chiamare il metodo . -oppure- è maggiore di zero, ma l'applicazione non scrive tutti i dati promessi.
+
+ è stato chiamato precedentemente.
+
+
+
+
+
+
+
+
+
+
+ Ottiene o imposta il valore dell'intestazione HTTP Content-type.
+ Valore dell'intestazione HTTP Content-type.Il valore predefinito è null.
+
+
+ Ottiene o imposta un valore di timeout in millisecondi di attesa dopo la ricezione di 100-Continue dal server.
+ Valore di timeout in millisecondi di attesa dopo la ricezione di 100-Continue dal server.
+
+
+ Ottiene o imposta i cookie associati alla richiesta.
+ Oggetto contenente i cookie associati a questa richiesta.
+
+
+ Ottiene o imposta le informazioni sull'autenticazione per la richiesta.
+ Oggetto contenente le credenziali di autenticazione associate alla richiesta.Il valore predefinito è null.
+
+
+
+
+
+ Termina una richiesta asincrona per un oggetto da usare per la scrittura dei dati.
+ Oggetto da usare per scrivere i dati della richiesta.
+ Richiesta in sospeso per un flusso.
+
+ è null.
+ La richiesta non è stata completata e nessun flusso è disponibile.
+
+ non è stato restituito dall'istanza corrente da una chiamata a .
+ Il metodo è stato chiamato in precedenza utilizzando .
+
+ è stato chiamato precedentemente.-oppure- Si è verificato un errore durante l'elaborazione della richiesta.
+
+
+
+
+
+
+
+ Termina una richiesta asincrona a una risorsa Internet.
+ Oggetto contenente la risposta dalla risorsa Internet.
+ La richiesta in sospeso per una risposta.
+
+ è null.
+ Il metodo è stato chiamato in precedenza utilizzando .-oppure- La proprietà è maggiore di 0 ma i dati non sono stati scritti nel flusso di richiesta.
+
+ è stato chiamato precedentemente.-oppure- Si è verificato un errore durante l'elaborazione della richiesta.
+
+ non è stato restituito dall'istanza corrente da una chiamata a .
+
+
+
+
+
+
+
+ Ottiene un valore che indica se una risposta è stata ricevuta da una risorsa Internet.
+ true se è stata ricevuta una risposta; in caso contrario, false.
+
+
+ Specifica una raccolta delle coppie nome/valore che compongono le intestazioni HTTP.
+ Oggetto contenente le coppie nome/valore che compongono le intestazioni della richiesta HTTP.
+ La richiesta è stata avviata chiamando il metodo , , o .
+
+
+
+
+
+ Ottiene o imposta il metodo per la richiesta.
+ Il metodo di richiesta da usare per contattare la risorsa Internet.Il valore predefinito è GET.
+ Non viene fornito alcun metodo.-oppure- La stringa del metodo contiene caratteri non validi.
+
+
+ Ottiene l'URI originale della richiesta.
+ Oggetto contenente l'URI della risorsa Internet passata al metodo .
+
+
+ Ottiene un valore che indica se la richiesta fornisce supporto per un oggetto .
+ trueSe la richiesta fornisce il supporto per un ; in caso contrario, false.true se un oggetto è supportato; in caso contrario, false.
+
+
+ Ottiene o imposta un valore che controlla se le credenziali predefinite sono inviate con le richieste.
+ true se vengono usate le credenziali predefinite; in caso contrario, false.Il valore predefinito è false.
+ Tentativo di impostare questa proprietà dopo l'invio della richiesta.
+
+
+
+
+
+ Fornisce un'implementazione specifica di HTTP della classe .
+
+
+ Ottiene la lunghezza del contenuto restituito dalla richiesta.
+ Numero di byte restituito dalla richiesta.La lunghezza del contenuto non include le informazioni dell'intestazione.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene il tipo di contenuto della risposta.
+ Stringa in cui è presente il tipo di contenuto della risposta.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene o imposta i cookie associati a questa risposta.
+ Oggetto in cui sono contenuti i cookie associati a questa risposta.
+ L'istanza corrente è stata eliminata.
+
+
+ Rilascia le risorse non gestite usate da e, facoltativamente, elimina le risorse gestite.
+ true per rilasciare sia le risorse gestite sia quelle non gestite; false per rilasciare solo le risorse non gestite.
+
+
+ Ottiene il flusso usato per la lettura del corpo della risposta dal server.
+ Oggetto contenente il corpo della risposta.
+ Nessun flusso di risposta.
+ L'istanza corrente è stata eliminata.
+
+
+
+
+
+
+
+ Ottiene le intestazioni associate a questa risposta dal server.
+ Oggetto in cui sono contenute le informazioni di intestazione restituite con la risposta.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene il metodo usato per restituire la risposta.
+ Stringa in cui è contenuto il metodo HTTP usato per restituire la risposta.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene l'URI della risorsa Internet che ha risposto alla richiesta.
+ Oggetto che contiene l'URI della risorsa Internet che ha risposto alla richiesta.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene lo stato della risposta.
+ Uno dei valori di .
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene la descrizione dello stato restituita con la risposta.
+ Stringa in cui è descritto lo stato della risposta.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene un valore che indica se sono supportate le intestazioni.
+ Restituisce .true se le intestazioni sono supportate; in caso contrario, false.
+
+
+ Fornisce l'interfaccia di base per la creazione di istanze di .
+
+
+ Crea un'istanza di .
+ Istanza di .
+ L'Uniform Resource Identifier (URI) della risorsa Web.
+ Lo schema di richiesta specificato in non è supportato da questa istanza .
+
+ è null.
+ Nell'API.NET per le applicazioni Windows o nella Libreria di classi portabile, rilevare piuttosto l'eccezione della classe di base .L'URI specificato in non è valido.
+
+
+ L'eccezione generata quando si verifica un errore durante l'utilizzo di un protocollo di rete.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe con il messaggio specificato.
+ La stringa del messaggio di errore
+
+
+ L'eccezione generata quando si verifica un errore durante l'accesso alla rete tramite un protocollo pluggable.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe con il messaggio di errore specificato.
+ Il testo del messaggio di errore,
+
+
+ Inizializza una nuova istanza della classe con il messaggio di errore e l'eccezione annidata specificati.
+ Il testo del messaggio di errore,
+ Un'eccezione annidata.
+
+
+ Inizializza una nuova istanza della classe con il messaggio di errore, l'eccezione annidata, lo stato e la risposta specificati.
+ Il testo del messaggio di errore,
+ Un'eccezione annidata.
+ Uno dei valori della classe .
+ Istanza di contenente la risposta dall'host remoto.
+
+
+ Inizializza una nuova istanza della classe con il messaggio di errore e lo stato specificati.
+ Il testo del messaggio di errore,
+ Uno dei valori della classe .
+
+
+ Recupera la risposta restituita dall'host remoto.
+ Se una risposta è disponibile dalla risorsa Internet, un'istanza di contenente la risposta di errore da una risorsa Internet; in caso contrario, null.
+
+
+ Ottiene lo stato della risposta.
+ Uno dei valori della classe .
+
+
+ Definisce i codici di stato per la classe .
+
+
+ Non è stato possibile contattare il punto di servizio remoto a livello di trasporto.
+
+
+ È stato ricevuto un messaggio che ha superato il limite specificato durante l'invio di una richiesta o durante la ricezione di una risposta dal server.
+
+
+ Una richiesta asincrona interna è in sospeso.
+
+
+ La richiesta è stata annullata, il metodo è stato chiamato o si è verificato un errore non classificabile.Questo è il valore predefinito per .
+
+
+ Non è stato possibile inviare una richiesta completa al server remoto.
+
+
+ Non si è verificato alcun errore.
+
+
+ Si è verificata un'eccezione di tipo sconosciuto.
+
+
+ Esegue una richiesta a un URI (Uniform Resource Identifier).Questa è una classe abstract.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Interrompe la richiesta.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe discendente, fornisce una versione asincrona del metodo .
+ Oggetto che fa riferimento alla richiesta asincrona.
+ Delegato .
+ Oggetto contenente le informazioni di stato per la richiesta asincrona.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, avvia una richiesta asincrona per una risorsa Internet.
+ Oggetto che fa riferimento alla richiesta asincrona.
+ Delegato .
+ Oggetto contenente le informazioni di stato per la richiesta asincrona.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta il tipo di contenuto dei dati inviati per la richiesta.
+ Tipo di contenuto dei dati della richiesta.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Inizializza una nuova istanza di per lo schema URI specificato.
+ Oggetto discendente per lo schema URI specificato.
+ URI che identifica la risorsa Internet.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ Inizializza una nuova istanza di per lo schema URI specificato.
+ Oggetto discendente per lo schema URI specificato.
+ Oggetto contenente l'URI della risorsa richiesta.
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ Inizializza una nuova istanza di per la stinga URI specificata.
+ Restituisce .Istanza di per la stringa URI specifica.
+ Stringa URI che identifica la risorsa Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Inizializza una nuova istanza di per l'URI specificato.
+ Restituisce .Istanza di per la stringa URI specifica.
+ URI che identifica la risorsa Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta le credenziali di rete usate per l'autenticazione della richiesta con la risorsa Internet.
+ Oggetto che contiene le credenziali di autenticazione associate alla richiesta.Il valore predefinito è null.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Ottiene o imposta il proxy HTTP globale.
+ Oggetto usato da ogni chiamata alle istanze di .
+
+
+ Quando ne viene eseguito l'override in una classe discendente, restituisce un oggetto per la scrittura di dati nella risorsa Internet.
+ Oggetto in cui scrivere i dati.
+ Oggetto che fa riferimento a una richiesta in sospeso di un flusso.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, restituisce un oggetto .
+ Oggetto contenente una risposta alla richiesta Internet.
+ Oggetto che fa riferimento a una richiesta in sospeso di una risposta.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, restituisce un oggetto per la scrittura dei dati nella risorse Internet come operazione asincrona.
+ Restituisce .Oggetto dell'attività che rappresenta l'operazione asincrona.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, restituisce una risposta a una richiesta Internet come operazione asincrona.
+ Restituisce .Oggetto dell'attività che rappresenta l'operazione asincrona.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta la raccolta di coppie nome/valore di intestazione associate alla richiesta.
+ Oggetto che contiene le coppie nome/valore di intestazione associate alla richiesta.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta il metodo di protocollo da usare nella richiesta.
+ Metodo di protocollo da usare nella richiesta.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta il proxy di rete per accedere alla risorsa Internet.
+ Oggetto da usare per accedere alla risorsa Internet.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Registra un oggetto discendente per l'URI specificato.
+ true se la registrazione viene eseguita correttamente; in caso contrario, false.
+ URI completo o prefisso URI gestito dal discendente .
+ Metodo di creazione chiamato da per creare il discendente .
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene l'URI della risorsa Internet associata alla richiesta.
+ Oggetto che rappresenta la risorsa associata alla richiesta.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta un valore che controlla se vengono inviate proprietà con le richieste.
+ true se vengono usate le credenziali predefinite; in caso contrario, false.Il valore predefinito è false.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Fornisce una risposta da un Uniform Resource Identifier (URI).Questa è una classe abstract.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta la lunghezza del contenuto dei dati ricevuti.
+ Numero dei byte restituiti dalla risorsa Internet.
+ Viene eseguito un tentativo per ottenere o impostare la proprietà quando quest'ultima non è sottoposta a override in una classe discendente.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe derivata, ottiene o imposta il tipo del contenuto dei dati ricevuti.
+ Stringa in cui è presente il tipo di contenuto della risposta.
+ Viene eseguito un tentativo per ottenere o impostare la proprietà quando quest'ultima non è sottoposta a override in una classe discendente.
+
+
+
+
+
+ Rilascia le risorse non gestite usate dall'oggetto .
+
+
+ Rilascia le risorse non gestite usate dall'oggetto ed eventualmente elimina le risorse gestite.
+ true per rilasciare sia le risorse gestite sia quelle non gestite; false per rilasciare solo le risorse non gestite.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, restituisce il flusso di dati dalla risorsa Internet.
+ Istanza della classe per la lettura dei dati dalla risorsa Internet.
+ Viene eseguito un tentativo di accedere al metodo quando quest'ultimo non è sottoposto a override in una classe discendente.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe derivata, ottiene una raccolta di coppie nome/valore di intestazione associate alla richiesta.
+ Istanza della classe in cui sono contenuti i valori di intestazione associati alla risposta.
+ Viene eseguito un tentativo per ottenere o impostare la proprietà quando quest'ultima non è sottoposta a override in una classe discendente.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe derivata, ottiene l'URI della risorsa Internet che ha effettivamente risposto alla richiesta.
+ Istanza della classe contenente l'URI della risorsa Internet che ha effettivamente risposto alla richiesta.
+ Viene eseguito un tentativo per ottenere o impostare la proprietà quando quest'ultima non è sottoposta a override in una classe discendente.
+
+
+
+
+
+ Ottiene un valore che indica se sono supportate le intestazioni.
+ Restituisce .true se le intestazioni sono supportate; in caso contrario, false.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/ja/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/ja/System.Net.Requests.xml
new file mode 100644
index 0000000..717b2e6
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/ja/System.Net.Requests.xml
@@ -0,0 +1,559 @@
+
+
+
+ System.Net.Requests
+
+
+
+
+ クラスの HTTP 固有の実装を提供します。
+
+
+ インターネット リソースへの要求を取り消します。
+
+
+
+
+
+
+
+ Accept HTTP ヘッダーの値を取得または設定します。
+ Accept HTTP ヘッダーの値。既定値は null です。
+
+
+ インターネット リソースから受け取ったデータをバッファリングするかどうかを示す値を取得または設定します。
+ trueインターネット リソースから受信されたバッファーに格納するにはそれ以外の場合、falseです。インターネット リソースから受信したデータのバッファリングを有効にする場合は true。バッファリングを無効にする場合は false。既定値は、true です。
+
+
+ データを書き込むために使用する オブジェクトの非同期要求を開始します。
+ 非同期の要求を参照する 。
+
+ デリゲート。
+ この要求に対して使用する状態オブジェクト。
+
+ プロパティが GET または HEAD です。または は true で、 は false で、 は -1 で、 は false で、 は POST または PUT です。
+ ストリームが、 の前回の呼び出しで使用されています。または に値が設定され、 が false です。またはスレッド プールのスレッドが不足しています。
+ 要求のキャッシュ検証コントロールで、この要求の応答がキャッシュから取得できることが示されましたが、データの書き込みを行う要求でキャッシュは使用できません。この例外は、キャッシュ検証コントロールの不適切なカスタム実装を使用した場合に発生することがあります。
+
+ は既に呼び出されました。
+ .NET Compact Framework アプリケーションで、コンテンツ長が 0 の要求ストリームは取得されず、適切に閉じられました。コンテンツ長が 0 の要求の処理の詳細については、「Network Programming in the .NET Compact Framework」を参照してください。
+
+
+
+
+
+
+
+
+
+
+ インターネット リソースへの非同期要求を開始します。
+ 非同期要求の応答を参照する 。
+
+ デリゲート
+ この要求に対して使用する状態オブジェクト。
+ ストリームが、既に の前回の呼び出しで使用されています。または に値が設定され、 が false です。またはスレッド プールのスレッドが不足しています。
+
+ が GET または HEAD で、 が 0 より大きいか、 が true です。または は true で、 は false です。また、 は -1、 は false、 は POST または PUT です。または にはエンティティ本体がありますが、 メソッドを呼び出さずに、 メソッドが呼び出されます。または が 0 より大きいが、アプリケーションが約束されたすべてのデータを書き込むようになっていません。
+
+ は既に呼び出されました。
+
+
+
+
+
+
+
+
+
+
+ Content-type HTTP ヘッダーの値を取得または設定します。
+ Content-type HTTP ヘッダーの値。既定値は null です。
+
+
+ 100 回の続行まで待機するミリ秒単位のタイムアウト値をサーバーから取得または設定します。
+ 100 回の続行まで待機するミリ秒単位のタイムアウト値。
+
+
+ 要求に関連付けられているクッキーを取得または設定します。
+ この要求に関連付けられているクッキーを格納している 。
+
+
+ 要求に対して使用する認証情報を取得または設定します。
+ 要求と関連付けられた認証資格情報を格納する 。既定値は、null です。
+
+
+
+
+
+ データを書き込むために使用する オブジェクトの非同期要求を終了します。
+ 要求データを書き込むために使用する 。
+ ストリームの保留中の要求。
+
+ は null です。
+ 要求が完了しませんでした。また、ストリームは使用できません。
+ 現在のインスタンスによって、 への呼び出しから が返されませんでした。
+ このメソッドは、 を使用して既に呼び出されています。
+
+ は既に呼び出されました。または要求の処理中にエラーが発生しました。
+
+
+
+
+
+
+
+ インターネット リソースへの非同期要求を終了します。
+ インターネット リソースからの応答を格納している 。
+ 応答の保留中の要求。
+
+ は null です。
+ このメソッドは、 を使用して既に呼び出されています。または プロパティが 0 を超えていますが、データが要求ストリームに書き込まれていません。
+
+ は既に呼び出されました。または要求の処理中にエラーが発生しました。
+
+ was not returned by the current instance from a call to .
+
+
+
+
+
+
+
+ インターネット リソースから応答が受信されたかどうかを示す値を取得します。
+ 応答を受信した場合は true。それ以外の場合は false。
+
+
+ HTTP ヘッダーを構成する名前と値のペアのコレクションを指定します。
+ HTTP 要求のヘッダーを構成する名前と値のペアを格納している 。
+ 要求が 、、、または の各メソッドの呼び出しによって開始されました。
+
+
+
+
+
+ 要求に対して使用するメソッドを取得または設定します。
+ インターネット リソースと通信するために使用する要求メソッド。既定値は GET です。
+ メソッドが指定されていません。またはメソッドの文字列に無効な文字が含まれています。
+
+
+ 要求の元の URI (Uniform Resource Identifier) を取得します。
+
+ メソッドに渡されたインターネット リソースの URI を格納している 。
+
+
+ 要求が をサポートするかどうかを示す値を取得します。
+ true要求のサポートを提供する場合、です。それ以外の場合、falseです。true if a is supported; otherwise, false.
+
+
+ 既定の資格情報が要求と共に送信されるかどうかを制御する 値を取得または設定します。
+ 既定の資格情報を使用する場合は true。それ以外の場合は false。既定値は false です。
+ 要求が送信された後で、このプロパティを設定しようとしました。
+
+
+
+
+
+
+ クラスの HTTP 固有の実装を提供します。
+
+
+ 要求で返されるコンテンツ長を取得します。
+ 要求で返されるバイト数。コンテンツ長には、ヘッダー情報は含まれません。
+ 現在のインスタンスは破棄されています。
+
+
+ 応答のコンテンツ タイプを取得します。
+ 応答のコンテンツ タイプを格納する文字列。
+ 現在のインスタンスは破棄されています。
+
+
+ この応答に関連付けられているクッキーを取得または設定します。
+ この要求に関連付けられているクッキーを格納する 。
+ 現在のインスタンスは破棄されています。
+
+
+
+ が使用しているアンマネージ リソースを解放します。オプションでマネージ リソースも破棄します。
+ マネージ リソースとアンマネージ リソースの両方を解放する場合は true。アンマネージ リソースだけを解放する場合は false。
+
+
+ サーバーから応答の本文を読み取るために使用するストリームを取得します。
+ 応答の本文を格納している 。
+ 応答ストリームがありません。
+ 現在のインスタンスは破棄されています。
+
+
+
+
+
+
+
+ 応答に関連付けられているヘッダーをサーバーから取得します。
+ 応答で返されるヘッダー情報を格納する 。
+ 現在のインスタンスは破棄されています。
+
+
+ 応答を返すために使用するメソッドを取得します。
+ 応答を返すために使用する HTTP メソッドを格納する文字列。
+ 現在のインスタンスは破棄されています。
+
+
+ 要求に応答したインターネット リソースの URI を取得します。
+ 要求に応答したインターネット リソースの URI を格納する 。
+ 現在のインスタンスは破棄されています。
+
+
+ 応答のステータスを取得します。
+
+ 値の 1 つ。
+ 現在のインスタンスは破棄されています。
+
+
+ 応答で返されるステータス記述を取得します。
+ 応答のステータスを記述する文字列。
+ 現在のインスタンスは破棄されています。
+
+
+ ヘッダーがサポートされているかどうかを示す値を取得します。
+
+ を返します。ヘッダーがサポートされる場合は true。それ以外の場合は false。
+
+
+
+ インスタンスを作成するための基本インターフェイスを提供します。
+
+
+
+ インスタンスを作成します。
+
+ のインスタンス。
+ Web リソースの URI。
+
+ で指定された要求スキームは、この インスタンスではサポートされません。
+
+ は null なので、
+ Windows ストア アプリのための .NET または汎用性のあるクラス ライブラリで、基本クラスの例外 を代わりにキャッチします。 で指定された URI が有効な URI ではありません。
+
+
+ ネットワーク プロトコルの使用中にエラーが発生した場合にスローされる例外。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ 指定したメッセージを使用して、 クラスの新しいインスタンスを初期化します。
+ エラー メッセージ文字列。
+
+
+ プラグ可能プロトコルによるネットワークへのアクセスでエラーが発生した場合にスローされる例外。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを、指定したエラー メッセージを使用して初期化します。
+ エラー メッセージのテキスト。
+
+
+
+ クラスの新しいインスタンスを、指定したエラー メッセージと入れ子になった例外を使用して初期化します。
+ エラー メッセージのテキスト。
+ 入れ子になった例外。
+
+
+
+ クラスの新しいインスタンスを、指定したエラー メッセージ、入れ子になった例外、ステータス、および応答を使用して初期化します。
+ エラー メッセージのテキスト。
+ 入れ子になった例外。
+
+ 値の 1 つ。
+ リモート ホストからの応答を格納する インスタンス。
+
+
+
+ クラスの新しいインスタンスを、指定したエラー メッセージとステータスを使用して初期化します。
+ エラー メッセージのテキスト。
+
+ 値の 1 つ。
+
+
+ リモート ホストが返す応答を取得します。
+ インターネット リソースから応答がある場合は、インターネット リソースからのエラー応答を格納した インスタンス。それ以外の場合は null。
+
+
+ 応答のステータスを取得します。
+
+ 値の 1 つ。
+
+
+
+ クラスのステータス コードを定義します。
+
+
+ トランスポート レベルで、リモート サービス ポイントと通信できませんでした。
+
+
+ サーバーに要求を送信、またはサーバーからの応答を受信しているときに、制限長を超えるメッセージが渡されました。
+
+
+ 内部非同期要求が保留中です。
+
+
+ 要求が取り消されたか、 メソッドが呼び出されたか、または分類できないエラーが発生しました。これは、 の既定値です。
+
+
+ 完全な要求をリモート サーバーに送信できませんでした。
+
+
+ エラーは発生しませんでした。
+
+
+ 未知の種類の例外が発生しました。
+
+
+ Uniform Resource Identifier (URI) に対する要求を実行します。これは abstract クラスです。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ 要求を中止します。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ 派生クラスでオーバーライドされると、 メソッドの非同期バージョンを提供します。
+ 非同期の要求を参照する 。
+
+ デリゲート。
+ 非同期要求の状態情報を格納するオブジェクト。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースの非同期要求を開始します。
+ 非同期の要求を参照する 。
+
+ デリゲート。
+ 非同期要求の状態情報を格納するオブジェクト。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 派生クラスでオーバーライドされると、送信している要求データのコンテンツ タイプを取得または設定します。
+ 要求データのコンテンツ タイプ。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 指定した URI スキーム用に新しい のインスタンスを初期化します。
+ 特定の URI スキーム用の 派生クラス。
+ インターネット リソースを識別する URI。
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ 指定した URI スキーム用に新しい のインスタンスを初期化します。
+ 指定した URI スキーム用の 派生クラス。
+ 要求されたリソースの URI を格納する 。
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ 指定した URI 文字列用に新しい インスタンスを初期化します。
+
+ を返します。指定した URI 文字列の インスタンス。
+ インターネット リソースを識別する URI 文字列。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 指定した URI 用に新しい インスタンスを初期化します。
+
+ を返します。指定した URI 文字列の インスタンス。
+ インターネット リソースを識別する URI。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースを使用して要求を認証するために使用されるネットワーク資格情報を取得または設定します。
+ 要求に関連付けられた認証資格情報を格納する 。既定値は、null です。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ グローバル HTTP プロキシを取得または設定します。
+
+ のインスタンスへのすべての呼び出しで使用される 。
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースにデータを書き込むための を返します。
+ データを書き込む 。
+ ストリームの保留中の要求を参照する 。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 派生クラスでオーバーライドされると、 を返します。
+ インターネット要求への応答を格納する 。
+ 応答に対する保留中の要求を参照する 。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースへのデータ書き込みの を非同期操作として返します。
+
+ を返します。非同期操作を表すタスク オブジェクト。
+
+
+ 派生クラスでオーバーライドされると、インターネット要求への応答を非同期操作として返します。
+
+ を返します。非同期操作を表すタスク オブジェクト。
+
+
+ 派生クラスでオーバーライドされると、要求に関連付けられたヘッダーの名前/値ペアのコレクションを取得または設定します。
+ 要求に関連付けられたヘッダーの名前/値ペアを格納する 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 派生クラスでオーバーライドされると、要求で使用するプロトコル メソッドを取得または設定します。
+ 要求で使用するプロトコル メソッド。
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースにアクセスするために使用するネットワーク プロキシを取得または設定します。
+ インターネット リソースにアクセスするために使用する 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 指定した URI 用の 派生クラスを登録します。
+ 登録が成功した場合は true。それ以外の場合は false。
+
+ 派生クラスが処理する完全な URI または URI プレフィックス。
+
+ が 派生クラスを作成するために呼び出す作成メソッド。
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ 派生クラスでオーバーライドされると、要求に関連付けられたインターネット リソースの URI を取得します。
+ 要求に関連付けられているリソースを表す 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 派生クラスでオーバーライドされる場合、 が要求と共に送信されるかどうかを制御する 値を取得または設定します。
+ 既定の資格情報を使用する場合は true。それ以外の場合は false。既定値は false です。
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ URI (Uniform Resource Identifier) からの応答を利用できるようにします。これは abstract クラスです。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ 派生クラスでオーバーライドされると、受信しているデータのコンテンツ長を取得または設定します。
+ インターネット リソースから返されるバイト数。
+ プロパティが派生クラスでオーバーライドされていないのに、そのプロパティの取得または設定が試行されました。
+
+
+
+
+
+ 派生クラスでオーバーライドされると、受信しているデータのコンテンツ タイプを取得または設定します。
+ 応答のコンテンツ タイプを格納する文字列。
+ プロパティが派生クラスでオーバーライドされていないのに、そのプロパティの取得または設定が試行されました。
+
+
+
+
+
+
+ オブジェクトによって使用されているアンマネージ リソースを解放します。
+
+
+
+ オブジェクトによって使用されているアンマネージ リソースを解放します。オプションとして、マネージ リソースを破棄することもできます。
+ マネージ リソースとアンマネージ リソースの両方を解放する場合は true。アンマネージ リソースだけを解放する場合は false。
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースからデータ ストリームを返します。
+ インターネット リソースからデータを読み取るための クラスのインスタンス。
+ メソッドが派生クラスでオーバーライドされていないのに、そのメソッドへのアクセスが試行されました。
+
+
+
+
+
+ 派生クラスでオーバーライドされると、この要求に関連付けられたヘッダーの名前と値のペアのコレクションを取得します。
+ この応答に関連付けられているヘッダーの値を格納している クラスのインスタンス。
+ プロパティが派生クラスでオーバーライドされていないのに、そのプロパティの取得または設定が試行されました。
+
+
+
+
+
+ 派生クラスでオーバーライドされると、要求に実際に応答したインターネット リソースの URI を取得します。
+ 要求に実際に応答したインターネット リソースの URI を格納する クラスのインスタンス。
+ プロパティが派生クラスでオーバーライドされていないのに、そのプロパティの取得または設定が試行されました。
+
+
+
+
+
+ ヘッダーがサポートされているかどうかを示す値を取得します。
+
+ を返します。ヘッダーがサポートされる場合は true。それ以外の場合は false。
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/ko/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/ko/System.Net.Requests.xml
new file mode 100644
index 0000000..7fd3462
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/ko/System.Net.Requests.xml
@@ -0,0 +1,556 @@
+
+
+
+ System.Net.Requests
+
+
+
+
+ 클래스의 HTTP 관련 구현을 제공합니다.
+
+
+ 인터넷 리소스에 대한 요청을 취소합니다.
+
+
+
+
+
+
+
+ Accept HTTP 헤더의 값을 가져오거나 설정합니다.
+ Accept HTTP 헤더의 값입니다.기본값은 null입니다.
+
+
+ 인터넷 리소스에서 받은 데이터를 버퍼링할지 여부를 나타내는 값을 가져오거나 설정합니다.
+ true인터넷 리소스에서 받은 버퍼에 그렇지 않은 경우 false.인터넷 리소스에서 받은 데이터를 버퍼링하려면 true이고, 버퍼링하지 않으려면 false입니다.기본값은 true입니다.
+
+
+ 데이터를 쓰는 데 사용할 개체에 대한 비동기 요청을 시작합니다.
+ 비동기 요청을 참조하는 입니다.
+
+ 대리자입니다.
+ 이 요청에 대한 상태 개체입니다.
+
+ 속성이 GET 또는 HEAD인 경우또는 가 true이고, 이 false이고, 가 -1이고, 가 false이고, 가 POST 또는 PUT인 경우
+ 스트림이 에 대한 이전 호출에서 사용되고 있는 경우또는 이 값으로 설정되고 가 false인 경우또는 스레드 풀의 스레드를 모두 사용한 경우
+ 요청 캐시 유효성 검사기에서 이 요청에 대한 응답이 캐시에서 제공될 수 있지만 데이터를 쓰는 요청의 경우 캐시를 사용하지 않아야 함을 나타내는 경우.이 예외는 제대로 구현되지 않은 사용자 지정 캐시 유효성 검사기를 사용하려는 경우에 발생할 수 있습니다.
+
+ 를 이미 호출한 경우
+ .NET Compact Framework 응용 프로그램에서 콘텐츠 길이가 0인 요청 스트림을 올바르게 가져오고 닫지 않은 경우.콘텐츠 길이가 0인 요청을 처리하는 방법에 대한 자세한 내용은 Network Programming in the .NET Compact Framework을 참조하십시오.
+
+
+
+
+
+
+
+
+
+
+ 인터넷 리소스에 대한 비동기 요청을 시작합니다.
+ 응답에 대한 비동기 요청을 참조하는 입니다.
+
+ 대리자
+ 이 요청에 대한 상태 개체입니다.
+ 스트림이 에 대한 이전 호출에서 사용되고 있는 경우또는 이 값으로 설정되고 가 false인 경우또는 스레드 풀의 스레드를 모두 사용한 경우
+
+ 가 GET 또는 HEAD이고, 가 0보다 크거나 가 true인 경우또는 가 true이고, 이 false이고, 가 -1이고, 가 false이고, 가 POST 또는 PUT인 경우또는 에는 엔터티 본문이 있지만 메서드는 메서드를 호출하지 않고 호출됩니다. 또는 는 0보다 크지만 응용 프로그램은 약속된 모든 데이터를 쓰지 않습니다.
+
+ 를 이미 호출한 경우
+
+
+
+
+
+
+
+
+
+
+ Content-type HTTP 헤더의 값을 가져오거나 설정합니다.
+ Content-type HTTP 헤더의 값입니다.기본값은 null입니다.
+
+
+ 서버에서 100-Continue가 수신될 때까지 기다릴 제한 시간(밀리초)을 가져오거나 설정합니다.
+ 100-Continue가 수신될 때까지 기다릴 제한 시간(밀리초)입니다.
+
+
+ 이 요청과 관련된 쿠키를 가져오거나 설정합니다.
+ 이 요청과 관련된 쿠키가 들어 있는 입니다.
+
+
+ 요청에 대한 인증 정보를 가져오거나 설정합니다.
+ 요청과 관련된 인증 자격 증명이 들어 있는 입니다.기본값은 null입니다.
+
+
+
+
+
+ 데이터를 쓰는 데 사용할 개체에 대한 비동기 요청을 끝냅니다.
+ 요청 데이터를 쓰는 데 사용할 입니다.
+ 스트림에 대한 보류 중인 요청입니다.
+
+ 가 null인 경우
+ 요청이 완료되지 않아서 스트림을 사용할 수 없는 경우
+ 현재 인스턴스에서 을 호출한 결과 가 반환되지 않은 경우
+ 이 메서드가 를 사용하여 이미 호출된 경우
+
+ 를 이미 호출한 경우또는 요청을 처리하는 동안 오류가 발생한 경우
+
+
+
+
+
+
+
+ 인터넷 리소스에 대한 비동기 요청을 종료합니다.
+ 인터넷 리소스로부터의 응답이 들어 있는 입니다.
+ 응답에 대해 보류된 요청입니다.
+
+ 가 null인 경우
+ 이 메서드가 를 사용하여 이미 호출되었습니다.또는 속성이 0보다 큰데 데이터를 요청 스트림에 쓰지 않은 경우
+
+ 를 이미 호출한 경우또는 요청을 처리하는 동안 오류가 발생한 경우
+
+ was not returned by the current instance from a call to .
+
+
+
+
+
+
+
+ 인터넷 리소스로부터 응답을 받았는지 여부를 나타내는 값을 가져옵니다.
+ 응답을 받았으면 true이고, 그렇지 않으면 false입니다.
+
+
+ HTTP 헤더를 구성하는 이름/값 쌍의 컬렉션을 지정합니다.
+ HTTP 요청의 헤더를 구성하는 이름/값 쌍이 들어 있는 입니다.
+
+ , , 또는 메서드를 호출하여 요청이 시작된 경우
+
+
+
+
+
+ 요청에 대한 메서드를 가져오거나 설정합니다.
+ 인터넷 리소스에 접속하는 데 사용할 요청 메서드입니다.기본값은 GET입니다.
+ 메서드를 지정하지 않은 경우또는 메서드 문자열에 잘못된 문자가 들어 있는 경우
+
+
+ 요청의 원래 URI(Uniform Resource Identifier)를 가져옵니다.
+
+ 메서드에 전달된 인터넷 리소스의 URI가 들어 있는 입니다.
+
+
+ 요청이 를 지원하는지 여부를 나타내는 값을 가져옵니다.
+ true요청에 대 한 지원을 제공 하는 경우는 ; 그렇지 않은 경우 false.가 지원되면 true이고, 그렇지 않으면 false입니다.
+
+
+ 기본 자격 증명을 요청과 함께 보내는지 여부를 제어하는 값을 가져오거나 설정합니다.
+ 기본 자격 증명이 사용되면 true이고, 그렇지 않으면 false입니다.기본값은 false입니다.
+ 요청을 보낸 후에 이 속성을 설정하려고 한 경우
+
+
+
+
+
+
+ 클래스의 HTTP 관련 구현을 제공합니다.
+
+
+ 요청이 반환하는 콘텐츠의 길이를 가져옵니다.
+ 요청이 반환한 바이트 수입니다.콘텐츠 길이에는 헤더 정보가 포함되지 않습니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 응답의 콘텐츠 형식을 가져옵니다.
+ 응답의 콘텐츠 형식이 들어 있는 문자열입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 이 응답과 관련된 쿠키를 가져오거나 설정합니다.
+ 이 응답과 관련된 쿠키가 들어 있는 입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+
+ 에서 사용하는 관리되지 않는 리소스를 해제하고, 관리되는 리소스를 선택적으로 삭제할 수 있습니다.
+ 관리되는 리소스와 관리되지 않는 리소스를 모두 해제하려면 true, 관리되지 않는 리소스만 해제하려면 false입니다.
+
+
+ 서버에서 응답 본문을 읽는 데 사용되는 스트림을 가져옵니다.
+ 응답 본문을 포함하는 입니다.
+ 응답 스트림이 없는 경우
+ 현재 인스턴스가 삭제된 경우
+
+
+
+
+
+
+
+ 서버에서 이 응답과 관련된 헤더를 가져옵니다.
+ 응답과 함께 반환되는 헤더 정보를 포함하는 입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 응답을 반환하는 데 사용되는 메서드를 가져옵니다.
+ 응답을 반환하는 데 사용되는 HTTP 메서드를 포함하는 문자열입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 요청에 응답한 인터넷 리소스의 URI를 가져옵니다.
+ 요청에 응답한 인터넷 리소스의 URI를 포함하는 입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 응답 상태를 가져옵니다.
+
+ 값 중 하나입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 응답과 함께 반환되는 상태 설명을 가져옵니다.
+ 응답의 상태를 설명하는 문자열입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 헤더가 지원되는지 여부를 나타내는 값을 가져옵니다.
+
+ 를 반환합니다.헤더가 지원되면 true이고, 지원되지 않으면 false입니다.
+
+
+
+ 인스턴스를 만들기 위해 기본 인터페이스를 제공합니다.
+
+
+
+ 인스턴스를 만듭니다.
+
+ 인스턴스입니다.
+ 웹 리소스의 URI(Uniform Resource Identifier)입니다.
+
+ 에 지정된 요청 체계가 이 인스턴스에서 지원되지 않습니다.
+
+ 가 null입니다.
+ Windows 스토어 앱용 .NET 또는 이식 가능한 클래스 라이브러리에서 대신 기본 클래스 예외 를 catch합니다.에 지정된 URI가 유효하지 않은 경우
+
+
+ 네트워크 프로토콜을 사용하는 동안 오류가 발생하면 throw되는 예외입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 지정된 메시지를 사용하여 클래스의 새 인스턴스를 초기화합니다.
+ 오류 메시지 문자열입니다.
+
+
+ 플러그형 프로토콜로 네트워크에 액세스하는 동안 오류가 발생하면 throw되는 예외입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 지정된 오류 메시지를 사용하여 클래스의 새 인스턴스를 초기화합니다.
+ 오류 메시지 텍스트입니다.
+
+
+ 지정된 오류 메시지와 중첩된 예외를 사용하여 클래스의 새 인스턴스를 초기화합니다.
+ 오류 메시지 텍스트입니다.
+ 중첩된 예외입니다.
+
+
+ 지정된 오류 메시지, 중첩된 예외, 상태 및 응답을 사용하여 클래스의 새 인스턴스를 초기화합니다.
+ 오류 메시지 텍스트입니다.
+ 중첩된 예외입니다.
+
+ 값 중 하나입니다.
+ 원격 호스트에서 보낸 응답이 들어 있는 인스턴스입니다.
+
+
+ 지정된 오류 메시지와 상태를 사용하여 클래스의 새 인스턴스를 초기화합니다.
+ 오류 메시지 텍스트입니다.
+
+ 값 중 하나입니다.
+
+
+ 원격 호스트에서 반환된 응답을 가져옵니다.
+ 인터넷 리소스에서 응답을 가져올 수 있으면 인터넷 리소스의 오류 응답이 포함된 인스턴스이고, 그렇지 않으면 null입니다.
+
+
+ 응답 상태를 가져옵니다.
+
+ 값 중 하나입니다.
+
+
+
+ 클래스에 대한 상태 코드를 정의합니다.
+
+
+ 전송 수준에서 원격 서비스 지점에 접속할 수 없습니다.
+
+
+ 서버에 요청을 보내거나 서버에서 응답을 받을 때 지정된 제한 시간을 초과했다는 메시지를 받았습니다.
+
+
+ 내부 비동기 요청이 보류 중입니다.
+
+
+ 요청이 취소되었거나, 메서드가 호출되었거나, 알 수 없는 오류가 발생했습니다.의 기본값입니다.
+
+
+ 원격 서버에 전체 요청을 보낼 수 없습니다.
+
+
+ 오류가 발생하지 않았습니다.
+
+
+ 알 수 없는 유형의 예외가 발생했습니다.
+
+
+ URI(Uniform Resource Identifier)에 대한 요청을 만듭니다.이 클래스는 abstract 클래스입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 요청을 중단합니다.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ 서브클래스에서 재정의될 때, 메서드의 비동기 버전을 제공합니다.
+ 비동기 요청을 참조하는 입니다.
+
+ 대리자입니다.
+ 이 비동기 요청에 대한 상태 정보가 들어 있는 개체입니다.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 하위 항목 클래스에서 재정의될 때, 인터넷 리소스에 대한 비동기 요청을 시작합니다.
+ 비동기 요청을 참조하는 입니다.
+
+ 대리자입니다.
+ 이 비동기 요청에 대한 상태 정보가 들어 있는 개체입니다.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 하위 항목 클래스에서 재정의될 때, 전송 중인 요청 데이터의 콘텐츠 형식을 가져오거나 설정합니다.
+ 요청 데이터의 콘텐츠 형식입니다.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 지정된 URI 체계에 대한 새 인스턴스를 초기화합니다.
+ 특정 URI 체계에 대한 하위 항목입니다.
+ 인터넷 리소스를 식별하는 URI입니다.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ 지정된 URI 체계에 대한 새 인스턴스를 초기화합니다.
+ 지정된 URI 체계에 대한 하위 항목입니다.
+ 요청된 리소스의 URI가 포함된 입니다.
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ 지정된 URI 문자열에 대한 새 인스턴스를 초기화합니다.
+
+ 를 반환합니다.지정된 URI 문자열에 대한 인스턴스입니다.
+ 인터넷 리소스를 식별하는 URI 문자열입니다.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 지정된 URI에 대한 새 인스턴스를 초기화합니다.
+
+ 를 반환합니다.지정된 URI 문자열에 대한 인스턴스입니다.
+ 인터넷 리소스를 식별하는 URI입니다.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 하위 항목 클래스에서 재정의될 때, 인터넷 리소스를 사용하여 요청을 인증하는 데 사용되는 네트워크 자격 증명을 가져오거나 설정합니다.
+ 요청과 연결된 인증 자격 증명이 들어 있는 입니다.기본값은 null입니다.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 글로벌 HTTP 프록시를 가져오거나 설정합니다.
+
+ 의 인스턴스를 호출할 때마다 사용되는 입니다.
+
+
+ 서브클래스에서 재정의될 때, 인터넷 리소스에 데이터를 쓰기 위해 을 반환합니다.
+ 데이터를 쓸 입니다.
+ 스트림에 대한 보류 요청을 참조하는 입니다.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 파생 클래스에서 재정의될 때, 를 반환합니다.
+ 인터넷 요청에 대한 응답을 포함하는 입니다.
+ 응답에 대한 보류 요청을 참조하는 입니다.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 서브클래스에서 재정의될 때, 인터넷 리소스에 비동기 작업으로 데이터를 쓰기 위해 을 반환합니다.
+
+ 를 반환합니다.비동기 작업(operation)을 나타내는 작업(task) 개체입니다.
+
+
+ 하위 항목 클래스에 재정의될 때, 인터넷 요청에 대한 응답을 비동기 작업으로 반환합니다.
+
+ 를 반환합니다.비동기 작업(operation)을 나타내는 작업(task) 개체입니다.
+
+
+ 하위 항목 클래스에서 재정의될 때, 요청과 연결된 헤더 이름/값 쌍의 컬렉션을 가져오거나 설정합니다.
+ 요청과 연결된 헤더 이름/값 쌍이 들어 있는 입니다.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 하위 항목 클래스에서 재정의될 때, 이 요청에서 사용할 프로토콜 메서드를 가져오거나 설정합니다.
+ 이 요청에서 사용할 프로토콜 메서드입니다.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ 하위 항목 클래스에서 재정의될 때, 이 인터넷 리소스에 액세스하기 위해 사용할 네트워크 프록시를 가져오거나 설정합니다.
+ 인터넷 리소스에 액세스하기 위해 사용할 입니다.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 지정된 URI에 대한 하위 항목을 등록합니다.
+ 등록이 성공하면 true이고, 그렇지 않으면 false입니다.
+
+ 하위 항목이 서비스하는 완전한 URI나 URI 접두사입니다.
+
+ 하위 항목을 만들기 위해 가 호출하는 생성 메서드입니다.
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ 하위 항목 클래스에서 재정의될 때, 요청과 연결된 인터넷 리소스의 URI를 가져옵니다.
+ 요청과 연결된 리소스를 나타내는 입니다.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 서브클래스에서 재정의된 경우 를 요청과 함께 보낼지 여부를 제어하는 값을 가져오거나 설정합니다.
+ 기본 자격 증명이 사용되면 true이고, 그렇지 않으면 false입니다.기본값은 false입니다.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ URI(Uniform Resource Identifier)에서 응답을 제공합니다.이 클래스는 abstract 클래스입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 서브클래스에서 재정의되는 경우 수신 중인 데이터의 콘텐츠 길이를 가져오거나 설정합니다.
+ 인터넷 리소스에서 반환된 바이트 수입니다.
+ 속성이 서브클래스에서 재정의되지 않았는데 속성을 가져오거나 설정하려 할 경우
+
+
+
+
+
+ 파생 클래스에서 재정의되는 경우 수신 중인 데이터의 콘텐츠 형식을 가져오거나 설정합니다.
+ 응답의 콘텐츠 형식이 들어 있는 문자열입니다.
+ 속성이 서브클래스에서 재정의되지 않았는데 속성을 가져오거나 설정하려 할 경우
+
+
+
+
+
+
+ 개체에서 사용하는 관리되지 않는 리소스를 해제합니다.
+
+
+
+ 개체에서 사용하는 관리되지 않는 리소스를 해제하고 관리되는 리소스를 선택적으로 삭제할 수 있습니다.
+ 관리되는 리소스와 관리되지 않는 리소스를 모두 해제하려면 true, 관리되지 않는 리소스만 해제하려면 false입니다.
+
+
+ 서브클래스에서 재정의되는 경우 인터넷 리소스에서 데이터 스트림을 반환합니다.
+ 인터넷 리소스에서 데이터를 읽기 위한 클래스의 인스턴스입니다.
+ 메서드가 서브클래스에서 재정의되지 않았는데 메서드에 액세스하려 할 경우
+
+
+
+
+
+ 파생 클래스에서 재정의되는 경우 요청과 연결된 헤더 이름/값 쌍의 컬렉션을 가져옵니다.
+ 이 응답과 관련된 헤더 값을 포함하는 클래스의 인스턴스입니다.
+ 속성이 서브클래스에서 재정의되지 않았는데 속성을 가져오거나 설정하려 할 경우
+
+
+
+
+
+ 파생 클래스에서 재정의되는 경우 요청에 실제로 응답하는 인터넷 리소스의 URI를 가져옵니다.
+ 요청에 실제로 응답하는 인터넷 리소스의 URI가 들어 있는 클래스의 인스턴스입니다.
+ 속성이 서브클래스에서 재정의되지 않았는데 속성을 가져오거나 설정하려 할 경우
+
+
+
+
+
+ 헤더가 지원되는지 여부를 나타내는 값을 가져옵니다.
+
+ 를 반환합니다.헤더가 지원되면 true이고, 지원되지 않으면 false입니다.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/ru/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/ru/System.Net.Requests.xml
new file mode 100644
index 0000000..bbf5c3b
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/ru/System.Net.Requests.xml
@@ -0,0 +1,515 @@
+
+
+
+ System.Net.Requests
+
+
+
+ Предоставляет ориентированную на HTTP-протокол реализацию класса .
+
+
+ Отменяет запрос к интернет-ресурсу.
+
+
+
+
+
+
+
+ Получает или задает значение HTTP-заголовка Accept.
+ Значение HTTP-заголовка Accept.Значение по умолчанию — null.
+
+
+ Возвращает или задает значение, которое указывает, будет ли выполняться буферизация данных, полученных от интернет-ресурса.
+ trueбуфер, полученных из Интернет-ресурса; в противном случае — false.Значение true устанавливается для включения буферизации данных, получаемых от интернет-ресурса; значение false — для выключения буферизации.Значение по умолчанию — true.
+
+
+ Начинает асинхронный запрос объекта , используемого для записи данных.
+ Класс , ссылающийся на асинхронный запрос.
+ Делегат .
+ Объект состояния для данного запроса.
+ Значение свойства — GET или HEAD.-или- Значение — true, значение — false, значение — -1, значение — false и значение — POST или PUT.
+ Поток занят предыдущим вызовом -или- Для устанавливается значение, а значение равно false.-или- В пуле потоков заканчиваются потоки.
+ Проверяющий элемент управления кэша запросов указывает, что ответ на этот запрос может быть предоставлен из кэша, однако запросы, записывающие данные, не должны использовать кэш.Это исключение может возникнуть при использовании пользовательского проверяющего элемента управления кэша, который неправильно реализован.
+ Метод был вызван ранее.
+ В приложении .NET Compact Framework поток запроса с длиной содержимого, равной нулю, не был получен и закрыт допустимым образом.Дополнительные сведения об обработке запросов с нулевой длиной содержимого см. в разделе Network Programming in the .NET Compact Framework.
+
+
+
+
+
+
+
+
+
+
+ Начинает асинхронный запрос интернет-ресурса.
+ Объект , ссылающийся на асинхронный запрос ответа.
+ Делегат
+ Объект состояния для данного запроса.
+ Поток уже занят предыдущим вызовом -или- Для устанавливается значение, а значение равно false.-или- В пуле потоков заканчиваются потоки.
+ Значение — GET или HEAD, кроме того или больше нуля, или равно true.-или- Значение — true, значение — false и одно из следующих: значение — -1, значение — false и значение — POST или PUT.-или- имеет тело сущности, но метод вызывается без вызова метода . -или- Значение свойства больше нуля, однако приложение не записывает все обещанные данные.
+ Метод был вызван ранее.
+
+
+
+
+
+
+
+
+
+
+ Получает или задает значение HTTP-заголовка Content-type.
+ Значение HTTP-заголовка Content-type.Значение по умолчанию — null.
+
+
+ Получает или задает время ожидания в миллисекундах до получения ответа 100-Continue с сервера.
+ Время ожидания в миллисекундах до получения ответа 100-Continue.
+
+
+ Возвращает или задает файлы cookie, связанные с запросом.
+ Контейнер , в котором содержатся файлы cookie, связанные с этим запросом.
+
+
+ Возвращает или задает сведения о проверке подлинности для этого запроса.
+ Класс , содержащий учетные данные для проверки подлинности, связанные с этим запросом.Значение по умолчанию — null.
+
+
+
+
+
+ Завершает асинхронный запрос объекта , используемого для записи данных.
+ Объект , используемый для записи данных запроса.
+ Незавершенный запрос потока.
+
+ is null.
+ Запрос не завершен и в наличии нет потока.
+ Параметр не был возвращен текущим экземпляром из вызова .
+ Этот метод был вызван ранее с помощью параметра .
+ Метод был вызван ранее.-или- Произошла ошибка при обработке запроса.
+
+
+
+
+
+
+
+ Завершает асинхронный запрос интернет-ресурса.
+ Объект , содержащий ответ от интернет-ресурса.
+ Незавершенный запрос ответа.
+
+ is null.
+ Этот метод был вызван ранее с помощью параметра -или- Значение свойства больше 0, но данные не были записаны в поток запроса.
+ Метод был вызван ранее.-или- Произошла ошибка при обработке запроса.
+ Параметр не был возвращен текущим экземпляром из вызова .
+
+
+
+
+
+
+
+ Возвращает значение, показывающее, был ли получен ответ от интернет-ресурса.
+ Значение true, если ответ получен, в противном случае — значение false.
+
+
+ Указывает коллекцию пар "имя-значение", из которых создаются заголовки HTTP.
+ Коллекция , содержащая пары "имя-значение", из которых состоят HTTP-заголовки.
+ Запрос начат посредством вызова метода , , или .
+
+
+
+
+
+ Возвращает или задает метод для запроса.
+ Метод запроса, используемый для связи с интернет-ресурсом.Значение по умолчанию — GET.
+ Метод не предоставляется.-или- Строка метода содержит недопустимые знаки.
+
+
+ Возвращает исходный код URI запроса.
+ Объект , который содержит код URI интернет-ресурса, переданный в метод .
+
+
+ Получает значение, которое указывает, поддерживает ли запрос .
+ trueЕсли запрос обеспечивает поддержку для ; в противном случае — false.true, если поддерживается, в противном случае — false.
+
+
+ Получает или задает значение , которое управляет отправкой учетных данных по умолчанию вместе с запросами.
+ Значение равно true, если используются учетные данные по умолчанию, в противном случае — false.Значение по умолчанию — false.
+ Произведена попытка установки этого свойства после отправки запроса.
+
+
+
+
+
+ Предоставляет связанную с HTTP реализацию класса .
+
+
+ Возвращает длину содержимого, возвращаемого запросом.
+ Количество байт, возвращаемых запросом.В длине содержимого не учитываются сведения заголовков.
+ Текущий экземпляр был удален.
+
+
+ Возвращает тип содержимого ответа.
+ Строка, содержащая тип содержимого ответа.
+ Текущий экземпляр был удален.
+
+
+ Возвращает или задает файлы cookie, связанные с этим ответом.
+ Коллекция , в которой содержатся файлы cookie, связанные с этим ответом.
+ Текущий экземпляр был удален.
+
+
+ Освобождает неуправляемые ресурсы, используемые объектом , и при необходимости освобождает также управляемые ресурсы.
+ Значение true для освобождения управляемых и неуправляемых ресурсов; значение false для освобождения только неуправляемых ресурсов.
+
+
+ Возвращает поток, используемый для чтения основного текста ответа с сервера.
+ Объект , содержащий основной текст ответа.
+ Поток ответа отсутствует.
+ Текущий экземпляр был удален.
+
+
+
+
+
+
+
+ Получает с сервера заголовки, связанные с данным ответом.
+ Свойство , содержащее сведения заголовков, возвращаемых с ответом.
+ Текущий экземпляр был удален.
+
+
+ Возвращает метод, используемый для возврата ответа.
+ Строка, содержащая метод HTTP, используемый для возврата ответа.
+ Текущий экземпляр был удален.
+
+
+ Возвращает URI Интернет-ресурса, ответившего на запрос.
+ Объект , который содержит URI Интернет-ресурса, ответившего на запрос.
+ Текущий экземпляр был удален.
+
+
+ Возвращает состояние ответа.
+ Одно из значений .
+ Текущий экземпляр был удален.
+
+
+ Получает описание состояния, возвращаемого с ответом.
+ Строка, описывающая состояние ответа.
+ Текущий экземпляр был удален.
+
+
+ Возвращает значение, указывающее, поддерживаются ли заголовки.
+ Возвращает .Значение true, если заголовки поддерживаются; в противном случае — значение false.
+
+
+ Предоставляет основной интерфейс для создания экземпляров класса .
+
+
+ Создает экземпляр класса .
+ Экземпляр .
+ URI веб-ресурса.
+ Схема запроса, заданная параметром , не поддерживается этим экземпляром .
+ Параметр имеет значение null.
+ В .NET для приложений Магазина Windows или переносимой библиотеке классов вместо этого перехватите исключение базового класса .URI, заданный в , не является допустимым URI.
+
+
+ Исключение, создаваемое при возникновении ошибки во время использования сетевого протокола.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализирует новый экземпляр класса , используя заданное сообщение.
+ Строка сообщения об ошибке.
+
+
+ Исключение создается при появлении ошибки во время доступа к сети через подключаемый протокол.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализирует новый экземпляр класса указанным сообщением об ошибке.
+ Текст сообщения об ошибке.
+
+
+ Инициализирует новый экземпляр класса с указанным сообщением об ошибке и вложенным исключением.
+ Текст сообщения об ошибке.
+ Вложенное исключение.
+
+
+ Инициализирует новый экземпляр класса с указанным сообщением об ошибке, вложенным исключением, статусом и ответом.
+ Текст сообщения об ошибке.
+ Вложенное исключение.
+ Одно из значений .
+ Экземпляр , содержащий ответ от удаленного узла в сети.
+
+
+ Инициализирует новый экземпляр класса с указанным сообщением об ошибке и статусом.
+ Текст сообщения об ошибке.
+ Одно из значений .
+
+
+ Получает ответ, возвращенный удаленным узлом.
+ Если ответ доступен из интернет-ресурсов, экземпляр , содержащий отклик из интернет-ресурса, в противном случае — null.
+
+
+ Возвращает состояние ответа.
+ Одно из значений .
+
+
+ Определяет коды состояния для класса .
+
+
+ С точкой удаленной службы нельзя связаться на транспортном уровне.
+
+
+ Принято сообщение о превышении заданного ограничения при передаче запроса или приеме ответа сервера.
+
+
+ Внутренний асинхронный запрос находится в очереди.
+
+
+ Запрос был отменен, был вызван метод или возникла ошибка, не поддающаяся классификации.Это значение по умолчанию для свойства .
+
+
+ Полный запрос не был передан на удаленный сервер.
+
+
+ Ошибок не было.
+
+
+ Возникло исключение неизвестного типа.
+
+
+ Выполняет запрос к универсальному коду ресурса (URI).Этот класс является абстрактным abstract.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Отменяет запрос
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ Если переопределено во вложенном классе, предоставляет асинхронную версию метода .
+ Класс , ссылающийся на асинхронный запрос.
+ Делегат .
+ Объект, содержащий сведения о состоянии для данного асинхронного запроса.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Если переопределено во вложенном классе, начинает асинхронный запрос интернет-ресурса.
+ Класс , ссылающийся на асинхронный запрос.
+ Делегат .
+ Объект, содержащий сведения о состоянии для данного асинхронного запроса.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Если переопределено во вложенном классе, возвращает или задает длину содержимого запрошенных к передаче данных.
+ Тип содержимого запрошенных данных.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Инициализирует новый экземпляр для заданной схемы URI.
+ Потомок для определенной схемы URI.
+ Универсальный код ресурса (URI), определяющий интернет-ресурс.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ Инициализирует новый экземпляр для заданной схемы URI.
+ Потомок для указанной схемы URI.
+ Объект , содержащий универсальный код запрашиваемого ресурса (URI).
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ Инициализирует новый экземпляр для заданной строки URI.
+ Возвращает .Экземпляр для заданной строки URI.
+ Строка URI, определяющая интернет-ресурс.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Инициализирует новый экземпляр для заданного URI.
+ Возвращает .Экземпляр для заданной строки URI.
+ Идентификатор URI, определяющий интернет-ресурс.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Если переопределено во вложенном классе, возвращает или задает сетевые учетные данные, используемые для проверки подлинности запроса на интернет-ресурсе.
+ Объект , содержащий учетные записи проверки подлинности, связанные с запросом.Значение по умолчанию — null.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Возвращает или устанавливает глобальный прокси-сервер HTTP.
+ Объект используется в каждом вызове экземпляра .
+
+
+ Если переопределено в производном классе, возвращает для записи данных в этот интернет-ресурс.
+ Объект , в который записываются данные.
+ Объект , ссылающийся на отложенный запрос для потока.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Если переопределено в производном классе, возвращает .
+ Объект , содержащий ответ на интернет-запрос.
+ Объект , ссылающийся на отложенный запрос ответа.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Если переопределено во вложенном классе, возвращает для записи данных в интернет-ресурс в ходе асинхронной операции.
+ Возвращает .Объект задачи, представляющий асинхронную операцию.
+
+
+ Если переопределено во вложенном классе, возвращает ответ на интернет-запрос в ходе асинхронной операции.
+ Возвращает .Объект задачи, представляющий асинхронную операцию.
+
+
+ Если переопределено во вложенном классе, возвращает или задает коллекцию связанных с данным запросом пар "имя — значение" для заголовка.
+ Коллекция , содержащая пары "имя-значение" заголовков, связанных с данным запросом.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Если переопределено во вложенном классе, возвращает или задает метод протокола для использования в данном запросе.
+ Метод протокола для использования в данном запросе.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ Если переопределено во вложенном классе, возвращает или задает сетевой прокси-сервер, используемый для доступа к данному интернет-ресурсу.
+ Объект для доступа к данному интернет-ресурсу.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Регистрирует потомок для заданной схемы URI.
+ Значение true, если регистрация выполнена; в противном случае — значение false.
+ Полный URI или префикс URI, обслуживаемый потомком .
+ Метод, вызываемый для создания потомка .
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ Если переопределено во вложенном классе, возвращает URI интернет-ресурса, связанного с данным запросом.
+ Объект , предоставляющий ресурс, связанный с данным запросом.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Если переопределено во вложенном классе, возвращает или задает значение , с помощью которого определяется, следует ли отправлять учетные данные вместе с запросами.
+ Значение true, если используются учетные данные по умолчанию; в противном случае — значение false.Значение по умолчанию — false.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Предоставляет ответ с URI.Этот класс является абстрактным abstract.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ При переопределении во вложенном классе возвращает или задает длину содержимого принимаемых данных.
+ Число байтов, возвращенных из Интернет-ресурса.
+ Если свойство не переопределено во вложенном классе, делаются все возможные попытки получить или задать его.
+
+
+
+
+
+ При переопределении производного класса возвращает или задает тип содержимого принимаемых данных.
+ Строка, содержащая тип содержимого ответа.
+ Если свойство не переопределено во вложенном классе, делаются все возможные попытки получить или задать его.
+
+
+
+
+
+ Высвобождает неуправляемые ресурсы, используемые в объекте .
+
+
+ Освобождает неуправляемые ресурсы, используемые объектом , и опционально — управляемые ресурсы.
+ Значение true для освобождения управляемых и неуправляемых ресурсов; значение false для освобождения только неуправляемых ресурсов.
+
+
+ При переопределении во вложенном классе возвращает поток данных из этого Интернет-ресурса.
+ Экземпляр класса для чтения данных из Интернет-ресурса.
+ Если метод не переопределен во вложенном классе, делаются все возможные попытки получить к нему доступ.
+
+
+
+
+
+ При переопределении в производном классе возвращает коллекцию пар "имя-значение" для заголовка, связанную с данным запросом.
+ Экземпляр класса , содержащий значения заголовка, связанные с данным ответом.
+ Если свойство не переопределено во вложенном классе, делаются все возможные попытки получить или задать его.
+
+
+
+
+
+ При переопределении в производном классе возвращает URI Интернет-ресурса, который ответил на данный запрос.
+ Экземпляр класса , содержащий URI Интернет-ресурса, который ответил на данный запрос.
+ Если свойство не переопределено во вложенном классе, делаются все возможные попытки получить или задать его.
+
+
+
+
+
+ Возвращает значение, указывающее, поддерживаются ли заголовки.
+ Возвращает .Значение true, если заголовки поддерживаются; в противном случае — значение false.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/zh-hans/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/zh-hans/System.Net.Requests.xml
new file mode 100644
index 0000000..939810d
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/zh-hans/System.Net.Requests.xml
@@ -0,0 +1,535 @@
+
+
+
+ System.Net.Requests
+
+
+
+ 提供 类的 HTTP 特定的实现。
+
+
+ 取消对 Internet 资源的请求。
+
+
+
+
+
+
+
+ 获取或设置 Accept HTTP 标头的值。
+ Accept HTTP 标头的值。默认值为 null。
+
+
+ 获取或设置一个值,该值指示是否对从 Internet 资源接收的数据进行缓冲处理。
+ true要缓冲接收到来自 Internet 资源 ;否则为false。true 允许对从 Internet 资源接收的数据进行缓冲处理,false 禁用缓冲处理。默认值为 true。
+
+
+ 开始对用来写入数据的 对象的异步请求。
+ 引用该异步请求的 。
+
+ 委托。
+ 此请求的状态对象。
+
+ 属性为 GET 或 HEAD。- 或 - 为 true, 为 false, 为 -1, 为 false, 为 POST 或 PUT。
+ 流正由上一个 调用使用。- 或 - 被设置为一个值,并且 为 false。- 或 -线程池中的线程即将用完。
+ 请求缓存验证程序指示对此请求的响应可从缓存中提供;但是写入数据的请求不得使用缓存。如果您正在使用错误实现的自定义缓存验证程序,则会发生此异常。
+
+ 以前被调用过。
+ 在 .NET Compact Framework 应用程序中,未正确获得和关闭一个内容长度为零的请求流。有关处理内容长度为零的请求的更多信息,请参见 Network Programming in the .NET Compact Framework。
+
+
+
+
+
+
+
+
+
+
+ 开始对 Internet 资源的异步请求。
+ 引用对响应的异步请求的 。
+
+ 委托
+ 此请求的状态对象。
+ 流正由上一个 调用使用- 或 - 被设置为一个值,并且 为 false。- 或 -线程池中的线程即将用完。
+
+ 为 GET 或 HEAD,且 大于零或 为 true。- 或 - 为 true, 为 false,同时 为 -1, 为 false,或者 为 POST 或 PUT。- 或 -该 具有实体,但不用调用 方法调用 方法。- 或 - 大于零,但应用程序不会写入所有承诺的数据。
+
+ 以前被调用过。
+
+
+
+
+
+
+
+
+
+
+ 获取或设置 Content-type HTTP 标头的值。
+ Content-type HTTP 标头的值。默认值为 null。
+
+
+ 获取或设置在接收到来自服务器的 100 次连续响应之前要等待的超时(以毫秒为单位)。
+ 在接收到 100-Continue 之前要等待的超时(以毫秒为单位)。
+
+
+ 获取或设置与此请求关联的 Cookie。
+ 包含与此请求关联的 Cookie 的 。
+
+
+ 获取或设置请求的身份验证信息。
+ 包含与该请求关联的身份验证凭据的 。默认值为 null。
+
+
+
+
+
+ 结束对用于写入数据的 对象的异步请求。
+ 用来写入请求数据的 。
+ 对流的挂起请求。
+
+ 为 null。
+ 请求未完成,没有可用的流。
+ 当前实例没有从 调用返回 。
+ 以前使用 调用过此方法。
+
+ 以前被调用过。- 或 -处理请求时发生错误。
+
+
+
+
+
+
+
+ 结束对 Internet 资源的异步请求。
+ 包含来自 Internet 资源的响应的 。
+ 挂起的对响应的请求。
+
+ 为 null。
+ 以前使用 调用过此方法。- 或 - 属性大于 0,但是数据尚未写入请求流。
+
+ 以前被调用过。- 或 -处理请求时发生错误。
+
+ was not returned by the current instance from a call to .
+
+
+
+
+
+
+
+ 获取一个值,该值指示是否收到了来自 Internet 资源的响应。
+ 如果接收到了响应,则为 true,否则为 false。
+
+
+ 指定构成 HTTP 标头的名称/值对的集合。
+ 包含构成 HTTP 请求标头的名称/值对的 。
+ 已通过调用 、、 或 方法启动了该请求。
+
+
+
+
+
+ 获取或设置请求的方法。
+ 用于联系 Internet 资源的请求方法。默认值为 GET。
+ 未提供任何方法。- 或 -方法字符串包含无效字符。
+
+
+ 获取请求的原始统一资源标识符 (URI)。
+ 一个 ,其中包含传递给 方法的 Internet 资源的 URI。
+
+
+ 获取一个值,该值指示请求是否为 提供支持。
+ true如果请求提供了对支持;否则为false。如果支持 ,则为 true;否则为 false。
+
+
+ 获取或设置一个 值,该值控制默认凭据是否随请求一起发送。
+ 如果使用默认凭据,则为 true;否则为 false。默认值为 false。
+ 您尝试在该请求发送之后设置此属性。
+
+
+
+
+
+ 提供 类的 HTTP 特定的实现。
+
+
+ 获取请求返回的内容的长度。
+ 由请求所返回的字节数。内容长度不包括标头信息。
+ 已释放当前的实例。
+
+
+ 获取响应的内容类型。
+ 包含响应的内容类型的字符串。
+ 已释放当前的实例。
+
+
+ 获取或设置与此响应关联的 Cookie。
+
+ ,包含与此响应关联的 Cookie。
+ 已释放当前的实例。
+
+
+ 释放由 使用的非托管资源,并可根据需要释放托管资源。
+ 如果释放托管资源和非托管资源,则为 true;如果仅释放非托管资源,则为 false。
+
+
+ 获取流,该流用于读取来自服务器的响应的体。
+ 一个 ,包含响应的体。
+ 没有响应流。
+ 已释放当前的实例。
+
+
+
+
+
+
+
+ 获取来自服务器的与此响应关联的标头。
+ 一个 ,包含与响应一起返回的标头信息。
+ 已释放当前的实例。
+
+
+ 获取用于返回响应的方法。
+ 一个字符串,包含用于返回响应的 HTTP 方法。
+ 已释放当前的实例。
+
+
+ 获取响应请求的 Internet 资源的 URI。
+ 一个 ,包含响应请求的 Internet 资源的 URI。
+ 已释放当前的实例。
+
+
+ 获取响应的状态。
+
+ 值之一。
+ 已释放当前的实例。
+
+
+ 获取与响应一起返回的状态说明。
+ 一个字符串,描述响应的状态。
+ 已释放当前的实例。
+
+
+ 获取指示是否支持标题的值。
+ 返回 。如果标题受支持,则为 true;否则为 false。
+
+
+ 提供用于创建 实例的基接口。
+
+
+ 创建一个 实例。
+ 一个 实例。
+ Web 资源的统一资源标识符 (URI)。
+ 此 实例不支持在 中指定的请求方案。
+
+ 为 null。
+ 在 .NET for Windows Store 应用程序 或 可移植类库 中,请改为捕获基类异常 。 中指定的 URI 不是有效的 URI。
+
+
+ 使用网络协议期间出错时引发的异常。
+
+
+ 初始化 类的新实例。
+
+
+ 用指定消息初始化 类的新实例。
+ 错误消息字符串。
+
+
+ 通过可插接协议访问网络期间出错时引发的异常。
+
+
+ 初始化 类的新实例。
+
+
+ 使用指定的错误消息初始化 类的新实例。
+ 错误消息的文本。
+
+
+ 用指定的错误信息和嵌套异常初始化 类的新实例。
+ 错误消息的文本。
+ 嵌套异常。
+
+
+ 用指定的错误信息、嵌套异常、状态和响应初始化 类的新实例。
+ 错误消息的文本。
+ 嵌套异常。
+
+ 值之一。
+ 包含来自远程主机的响应的 实例。
+
+
+ 用指定的错误信息和状态初始化 类的新实例。
+ 错误消息的文本。
+
+ 值之一。
+
+
+ 获取远程主机返回的响应。
+ 如果可从 Internet 资源获得响应,则为包含来自 Internet 资源的错误响应的 实例;否则为 null。
+
+
+ 获取响应的状态。
+
+ 值之一。
+
+
+ 为 类定义状态代码。
+
+
+ 未能在传输级联系到远程服务点。
+
+
+ 当发送请求或从服务器接收响应时,会接收到超出指定限制的消息。
+
+
+ 内部异步请求挂起。
+
+
+ 请求被取消, 方法被调用,或者发生了不可分类的错误。这是 的默认值。
+
+
+ 未能将完整请求发送到远程服务器。
+
+
+ 未遇到任何错误。
+
+
+ 发生未知类型的异常。
+
+
+ 对统一资源标识符 (URI) 发出请求。这是一个 abstract 类。
+
+
+ 初始化 类的新实例。
+
+
+ 中止请求
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ 当在子类中重写时,提供 方法的异步版本。
+ 引用该异步请求的 。
+
+ 委托。
+ 包含此异步请求的状态信息的对象。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 当在子类中被重写时,开始对 Internet 资源的异步请求。
+ 引用该异步请求的 。
+
+ 委托。
+ 包含此异步请求的状态信息的对象。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 当在子类中被重写时,获取或设置所发送的请求数据的内容类型。
+ 请求数据的内容类型。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 为指定的 URI 方案初始化新的 实例。
+ 特定 URI 方案的 子代。
+ 标识 Internet 资源的 URI。
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ 为指定的 URI 方案初始化新的 实例。
+ 指定的 URI 方案的 子代。
+ 包含请求的资源的 URI 的 。
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ 为指定的 URI 字符串初始化新的 实例。
+ 返回 。特定 URI 字符串的 实例。
+ 标识 Internet 资源的 URI 字符串。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 为指定的 URI 初始化新的 实例。
+ 返回 。特定 URI 字符串的 实例。
+ 标识 Internet 资源的 URI。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 当在子类中被重写时,获取或设置用于对 Internet 资源请求进行身份验证的网络凭据。
+ 包含与该请求关联的身份验证凭据的 。默认值为 null。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 获取或设置全局 HTTP 代理。
+ 对 实例的每一次调用所使用的 。
+
+
+ 当在子类中重写时,返回用于将数据写入 Internet 资源的 。
+ 将数据写入的 。
+ 引用对流的挂起请求的 。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 当在子类中重写时,返回 。
+ 包含对 Internet 请求的响应的 。
+ 引用对响应的挂起请求的 。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 当在子类中被重写时,将用于写入数据的 作为异步操作返回到 Internet 资源。
+ 返回 。表示异步操作的任务对象。
+
+
+ 当在子代类中被重写时,将作为异步操作返回对 Internet 请求的响应。
+ 返回 。表示异步操作的任务对象。
+
+
+ 当在子类中被重写时,获取或设置与请求关联的标头名称/值对的集合。
+ 包含与此请求关联的标头名称/值对的 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 当在子类中被重写时,获取或设置要在此请求中使用的协议方法。
+ 要在此请求中使用的协议方法。
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ 当在子类中被重写时,获取或设置用于访问此 Internet 资源的网络代理。
+ 用于访问 Internet 资源的 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 为指定的 URI 注册 子代。
+ 如果注册成功,则为 true;否则为 false。
+
+ 子代为其提供服务的完整 URI 或 URI 前缀。
+ 创建方法, 调用它以创建 子代。
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ 当在子类中被重写时,获取与请求关联的 Internet 资源的 URI。
+ 表示与请求关联的资源的 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 当在子代类中重写时,获取或设置一个 值,该值控制 是否随请求一起发送。
+ 如果使用默认凭据,则为 true;否则为 false。默认值为 false。
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 提供来自统一资源标识符 (URI) 的响应。这是一个 abstract 类。
+
+
+ 初始化 类的新实例。
+
+
+ 当在子类中重写时,获取或设置接收的数据的内容长度。
+ 从 Internet 资源返回的字节数。
+ 当未在子类中重写该属性时,试图获取或设置该属性。
+
+
+
+
+
+ 当在派生类中重写时,获取或设置接收的数据的内容类型。
+ 包含响应的内容类型的字符串。
+ 当未在子类中重写该属性时,试图获取或设置该属性。
+
+
+
+
+
+ 释放 对象使用的非托管资源。
+
+
+ 释放由 对象使用的非托管资源,并可根据需要释放托管资源。
+ 如果释放托管资源和非托管资源,则为 true;如果仅释放非托管资源,则为 false。
+
+
+ 当在子类中重写时,从 Internet 资源返回数据流。
+ 用于从 Internet 资源中读取数据的 类的实例。
+ 当未在子类中重写该方法时,试图访问该方法。
+
+
+
+
+
+ 当在派生类中重写时,获取与此请求关联的标头名称/值对的集合。
+
+ 类的实例,包含与此响应关联的标头值。
+ 当未在子类中重写该属性时,试图获取或设置该属性。
+
+
+
+
+
+ 当在派生类中重写时,获取实际响应此请求的 Internet 资源的 URI。
+
+ 类的实例,包含实际响应此请求的 Internet 资源的 URI。
+ 当未在子类中重写该属性时,试图获取或设置该属性。
+
+
+
+
+
+ 获取指示是否支持标题的值。
+ 返回 。如果标题受支持,则为 true;否则为 false。
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/zh-hant/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/zh-hant/System.Net.Requests.xml
new file mode 100644
index 0000000..c97631e
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.1/zh-hant/System.Net.Requests.xml
@@ -0,0 +1,550 @@
+
+
+
+ System.Net.Requests
+
+
+
+ 提供 類別的 HTTP 特定實作。
+
+
+ 取消對網際網路資源的要求。
+
+
+
+
+
+
+
+ 取得或設定 Accept HTTP 標頭的值。
+ Accept HTTP 標頭的值。預設值是 null。
+
+
+ 取得或設定值,這個值表示是否要緩衝處理從網際網路資源接收的資料。
+ true用來緩衝接收到來自網際網路資源。否則, false。true 表示啟用緩衝處理從網際網路資源收到的資料,false 表示停用緩衝。預設值為 true。
+
+
+ 開始用來寫入資料之 物件的非同步要求。
+
+ ,參考非同步要求。
+
+ 委派。
+ 這個要求的狀態物件。
+
+ 屬性是 GET 或 HEAD。-或- 是 true、 是 false、 是 -1、 是 false,而且 是 POST 或 PUT。
+ 資料流正在由先前對 的呼叫所使用。-或- 是設定為值,而且 為 false。-或-執行緒集區中的執行緒即將用盡。
+ 要求的快取驗證程式表示,可以從快取提供對這個要求的回應,然而,寫入資料的要求不可以使用快取。如果您使用錯誤實作的自訂快取驗證程式,可能會發生這個例外狀況。
+ 先前已呼叫過 。
+ 在 .NET Compact Framework 應用程式中,沒有正確取得並關閉內容長度為零的要求資料流。如需處理內容長度為零之要求的詳細資訊,請參閱 Network Programming in the .NET Compact Framework。
+
+
+
+
+
+
+
+
+
+
+ 開始對網際網路資源的非同步要求。
+
+ ,參考回應的非同步要求。
+
+ 委派
+ 這個要求的狀態物件。
+ 資料流已經由先前對 的呼叫使用。-或- 是設定為值,而且 為 false。-或-執行緒集區中的執行緒即將用盡。
+
+ 是 GET 或 HEAD,而且若不是 大於零,就是 為 true。-或- 是 true、 是 false;若不是 為 -1,就是 為 false;而且 是 POST 或 PUT。-或- 具有實體本文,但是不會透過呼叫 方法的方式來呼叫 方法。-或- 大於零,但應用程式不會寫入所有承諾的資料
+ 先前已呼叫過 。
+
+
+
+
+
+
+
+
+
+
+ 取得或設定 Content-type HTTP 標頭的值。
+ Content-type HTTP 標頭的值。預設值是 null。
+
+
+ 取得或設定要在收到伺服器的 100-Continue 以前等候的逾時 (以毫秒為單位)。
+ 要在收到 100-Continue 以前等候的逾時 (以毫秒為單位)。
+
+
+ 取得或設定與要求相關的 Cookie。
+
+ ,包含與這個要求相關的 Cookie。
+
+
+ 取得或設定要求的驗證資訊。
+
+ ,包含與要求相關的驗證認證。預設值為 null。
+
+
+
+
+
+ 結束用來寫入資料之 物件的非同步要求。
+
+ ,用來寫入要求資料。
+ 資料流的暫止要求。
+
+ 為 null。
+ 要求未完成,並且沒有資料流可以使用。
+ 目前執行個體沒有在呼叫 之後傳回 。
+ 這個方法先前已使用 呼叫過。
+ 先前已呼叫過 。-或-處理要求時發生錯誤。
+
+
+
+
+
+
+
+ 結束對網際網路資源的非同步要求。
+
+ ,包含來自網際網路資源的回應。
+ 回應的暫止要求。
+
+ 為 null。
+ 這個方法先前已使用 呼叫過。-或- 屬性大於 0,但是未將資料寫入至要求資料流。
+ 先前已呼叫過 。-或-處理要求時發生錯誤。
+
+ was not returned by the current instance from a call to .
+
+
+
+
+
+
+
+ 取得值,指出是否已經接收到來自網際網路資源的回應。
+ 如果已經接收到回應,則為 true,否則為 false。
+
+
+ 指定組成 HTTP 標頭的名稱/值組集合。
+
+ ,包含組成 HTTP 要求標頭的名稱/值組。
+ 要求已經藉由呼叫 、、 或 方法開始。
+
+
+
+
+
+ 取得或設定要求的方法。
+ 用來連繫網際網路資源的要求方法。預設值為 GET。
+ 未提供方法。-或-方法字串含有無效字元。
+
+
+ 取得要求的原始統一資源識別元 (URI)。
+
+ ,包含傳遞到 方法的網際網路資源 URI。
+
+
+ 取得值,指出要求是否提供對 的支援。
+ true如果要求提供支援;否則, false。如果支援 則為 true,否則為 false。
+
+
+ 取得或設定 值,控制是否隨著要求傳送預設認證。
+ 如果使用預設認證則為 true,否則為 false。預設值是 false。
+ 在傳送要求後,您嘗試設定這個屬性。
+
+
+
+
+
+ 提供 類別的 HTTP 特定實作。
+
+
+ 取得由要求傳回的內容長度。
+ 由要求傳回的位元組數目。內容長度不包含標頭資訊。
+ 已經處置目前的執行個體。
+
+
+ 取得回應的內容類型。
+ 字串,包含回應的內容類型。
+ 已經處置目前的執行個體。
+
+
+ 取得或設定與這個回應關聯的 Cookie。
+
+ ,包含與這個回應關聯的 Cookie。
+ 已經處置目前的執行個體。
+
+
+ 釋放 所使用的 Unmanaged 資源,並選擇性處置 Managed 資源。
+ true 表示會同時釋放 Managed 和 Unmanaged 資源;false 則表示只釋放 Unmanaged 資源。
+
+
+ 取得用來從伺服器讀取回應主體的資料流。
+
+ ,包含回應的主體。
+ 沒有回應的資料流。
+ 已經處置目前的執行個體。
+
+
+
+
+
+
+
+ 取得與伺服器的這個回應關聯的標頭。
+
+ ,包含隨回應傳回的標頭資訊。
+ 已經處置目前的執行個體。
+
+
+ 取得用來傳回回應的方法。
+ 字串,含有用來傳回回應的 HTTP 方法。
+ 已經處置目前的執行個體。
+
+
+ 取得回應要求之網際網路資源的 URI。
+
+ ,包含回應要求之網際網路資源的 URI。
+ 已經處置目前的執行個體。
+
+
+ 取得回應的狀態。
+ 其中一個 值。
+ 已經處置目前的執行個體。
+
+
+ 取得隨回應傳回的狀態描述。
+ 字串,描述回應的狀態。
+ 已經處置目前的執行個體。
+
+
+ 取得指出是否支援標頭的值。
+ 傳回 。如果支援標頭則為 true;否則為 false。
+
+
+ 提供建立 執行個體的基底介面。
+
+
+ 建立 執行個體。
+
+ 執行個體。
+ Web 資源的統一資源識別元 (URI)。
+ 此 執行個體不支援 中指定的要求配置。
+
+ 為 null。
+ 在適用於 Windows 市集應用程式的 .NET 或可攜式類別庫中,反而要攔截基底類別例外狀況 。 中指定的 URI 為無效的 URI。
+
+
+ 當使用網路通訊協定 (Protocol) 發生錯誤時,所擲回的例外狀況。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 使用指定的訊息來初始化 類別的新執行個體。
+ 錯誤訊息字串。
+
+
+ 當透過可外掛式通訊協定 (Protocol) 存取網路發生錯誤時,所擲回的例外狀況。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 使用指定的錯誤訊息來初始化 類別的新執行個體。
+ 錯誤訊息的文字。
+
+
+ 使用指定的錯誤訊息和巢狀例外狀況來初始化 類別的新執行個體。
+ 錯誤訊息的文字。
+ 巢狀例外狀況。
+
+
+ 使用指定的錯誤訊息、巢狀例外狀況、狀態和回應來初始化 類別的新執行個體。
+ 錯誤訊息的文字。
+ 巢狀例外狀況。
+ 其中一個 值。
+
+ 執行個體,含有遠端主機的回應。
+
+
+ 使用指定的錯誤訊息和狀態來初始化 類別的新執行個體。
+ 錯誤訊息的文字。
+ 其中一個 值。
+
+
+ 取得遠端主機所傳回的回應。
+ 如果可以從網際網路資源使用回應,則為包含來自網際網路資源之錯誤回應的 執行個體,否則為 null。
+
+
+ 取得回應的狀態。
+ 其中一個 值。
+
+
+ 定義 類別的狀態碼。
+
+
+ 無法在傳輸層級上連繫遠端服務點。
+
+
+ 已在傳送要求或從伺服器接收回應時收到超過指定限制的訊息。
+
+
+ 暫止內部非同步要求。
+
+
+ 要求被取消、呼叫 方法,或發生無法分類的錯誤。這是 的預設值。
+
+
+ 完整要求無法送出至遠端伺服器。
+
+
+ 沒有遇到錯誤。
+
+
+ 未知類型的例外狀況 (Exception) 已經發生。
+
+
+ 對統一資源識別元 (URI) 提出要求。這是 abstract 類別。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 中止要求
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ 在子代類別中覆寫時,會提供 方法的非同步版本。
+ 參考非同步要求的 。
+
+ 委派。
+ 物件,包含這個非同步要求的狀態資訊。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 在子代類別中覆寫時,開始網際網路資源的非同步要求。
+ 參考非同步要求的 。
+
+ 委派。
+ 物件,包含這個非同步要求的狀態資訊。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 在子代類別中覆寫時,取得或設定正在傳送要求資料的內容類型。
+ 要求資料的內容類型。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 為指定的 URI 配置,初始化新的 執行個體。
+ 特定 URI 配置的 子代。
+ 識別網際網路資源的 URI。
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ 為指定的 URI 配置,初始化新的 執行個體。
+
+ 子代,屬於指定的 URI 配置。
+
+ ,包含要求資源的 URI。
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ 為指定的 URI 字串,初始化新的 執行個體。
+ 傳回 。特定 URI 字串的 執行個體。
+ 識別網際網路資源的 URI 字串。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 為指定的 URI 配置,初始化新的 執行個體。
+ 傳回 。特定 URI 字串的 執行個體。
+ 識別網際網路資源的 URI。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 在子代類別中覆寫時,取得或設定使用網際網路資源驗證要求的網路認證。
+
+ ,包含與要求相關聯的驗證認證。預設為 null。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 取得或設定全域 HTTP Proxy。
+ 每個 執行個體的呼叫所使用的 。
+
+
+ 在子代類別中覆寫時,傳回 ,以便將資料寫入至網際網路資源。
+ 要將資料寫入的目標 。
+
+ ,參考資料流的暫止要求。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 在子代類別中覆寫時,傳回 。
+
+ ,包含對網際網路要求的回應。
+
+ ,參考回應的暫止要求。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 在子代類別中覆寫時,傳回以非同步作業方式將資料寫入網際網路資源的 。
+ 傳回 。工作物件,表示非同步作業。
+
+
+ 在子代類別中覆寫時,傳回對網際網路要求的回應,做為非同步作業。
+ 傳回 。工作物件,表示非同步作業。
+
+
+ 在子代類別中覆寫時,取得或設定與要求相關聯的標頭名稱/值組集合。
+
+ ,包含與要求相關聯的標頭名稱/值組。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 在子代類別中覆寫時,取得或設定這個要求中要使用的通訊協定方法。
+ 這個要求中要使用的通訊協定方法。
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ 在子代類別中覆寫時,取得或設定要用來存取這個網際網路資源的網路 Proxy。
+ 用以存取網際網路資源的 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 註冊指定 URI 的 子代。
+ 如果登錄成功,則為 true,否則為 false。
+
+ 子代所服務的完整 URI 或 URI 前置詞。
+
+ 呼叫以建立 子代的建立方法。
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ 在子代類別中覆寫時,取得與要求相關聯的網際網路資源 URI。
+
+ ,代表與要求相關聯的資源。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 在子代類別中覆寫時,取得或設定 值,控制 是否隨著要求傳送。
+ 如果使用預設認證,則為 true,否則為 false。預設值是 false。
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 提供來自統一資源識別元 (URI) 的回應。這是 abstract 類別。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 在子系類別中覆寫時,取得或設定正在接收資料的內容長度。
+ 傳回自網際網路資源的位元組數。
+ 當屬性在子代類別中未覆寫時,會嘗試取得或設定該屬性。
+
+
+
+
+
+ 在衍生類別中覆寫時,取得或設定正在接收資料的內容類型。
+ 字串,包含回應的內容類型。
+ 當屬性在子代類別中未覆寫時,會嘗試取得或設定該屬性。
+
+
+
+
+
+ 釋放由 物件使用的 Unmanaged 資源。
+
+
+ 釋放 物件所使用的 Unmanaged 資源,並選擇性處置 Managed 資源。
+ true 表示會同時釋放 Managed 和 Unmanaged 資源;false 則表示只釋放 Unmanaged 資源。
+
+
+ 在子系類別中覆寫時,傳回來自網際網路資源的資料流。
+
+ 類別的執行個體,從網際網路資源讀取資料。
+ 當方法在子代類別中未覆寫時,會嘗試存取該方法。
+
+
+
+
+
+ 在衍生類別中覆寫時,取得與這個要求相關聯的標頭名稱值配對集合。
+
+ 類別的執行個體,包含與這個回應相關聯的標頭值。
+ 當屬性在子代類別中未覆寫時,會嘗試取得或設定該屬性。
+
+
+
+
+
+ 在衍生類別中覆寫時,取得對要求實際回應的網際網路資源 URI。
+
+ 類別的執行個體,它包含對要求實際回應的網際網路資源 URI。
+ 當屬性在子代類別中未覆寫時,會嘗試取得或設定該屬性。
+
+
+
+
+
+ 取得指出是否支援標頭的值。
+ 傳回 。如果支援標頭則為 true;否則為 false。
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/System.Net.Requests.dll b/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/System.Net.Requests.dll
new file mode 100644
index 0000000..4b822cb
Binary files /dev/null and b/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/System.Net.Requests.dll differ
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/System.Net.Requests.xml
new file mode 100644
index 0000000..96c580d
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/System.Net.Requests.xml
@@ -0,0 +1,523 @@
+
+
+
+ System.Net.Requests
+
+
+
+ Provides an HTTP-specific implementation of the class.
+
+
+ Cancels a request to an Internet resource.
+
+
+
+
+
+
+
+ Gets or sets the value of the Accept HTTP header.
+ The value of the Accept HTTP header. The default value is null.
+
+
+ Gets or sets a value that indicates whether to buffer the received from the Internet resource.
+ true to buffer the received from the Internet resource; otherwise, false.true to enable buffering of the data received from the Internet resource; false to disable buffering. The default is true.
+
+
+ Begins an asynchronous request for a object to use to write data.
+ An that references the asynchronous request.
+ The delegate.
+ The state object for this request.
+ The property is GET or HEAD.-or- is true, is false, is -1, is false, and is POST or PUT.
+ The stream is being used by a previous call to -or- is set to a value and is false.-or- The thread pool is running out of threads.
+ The request cache validator indicated that the response for this request can be served from the cache; however, requests that write data must not use the cache. This exception can occur if you are using a custom cache validator that is incorrectly implemented.
+
+ was previously called.
+ In a .NET Compact Framework application, a request stream with zero content length was not obtained and closed correctly. For more information about handling zero content length requests, see Network Programming in the .NET Compact Framework.
+
+
+
+
+
+
+
+
+
+
+ Begins an asynchronous request to an Internet resource.
+ An that references the asynchronous request for a response.
+ The delegate
+ The state object for this request.
+ The stream is already in use by a previous call to -or- is set to a value and is false.-or- The thread pool is running out of threads.
+
+ is GET or HEAD, and either is greater than zero or is true.-or- is true, is false, and either is -1, is false and is POST or PUT.-or- The has an entity body but the method is called without calling the method. -or- The is greater than zero, but the application does not write all of the promised data.
+
+ was previously called.
+
+
+
+
+
+
+
+
+
+
+ Gets or sets the value of the Content-type HTTP header.
+ The value of the Content-type HTTP header. The default value is null.
+
+
+ Gets or sets a timeout, in milliseconds, to wait until the 100-Continue is received from the server.
+ The timeout, in milliseconds, to wait until the 100-Continue is received.
+
+
+ Gets or sets the cookies associated with the request.
+ A that contains the cookies associated with this request.
+
+
+ Gets or sets authentication information for the request.
+ An that contains the authentication credentials associated with the request. The default is null.
+
+
+
+
+
+ Ends an asynchronous request for a object to use to write data.
+ A to use to write request data.
+ The pending request for a stream.
+
+ is null.
+ The request did not complete, and no stream is available.
+
+ was not returned by the current instance from a call to .
+ This method was called previously using .
+
+ was previously called.-or- An error occurred while processing the request.
+
+
+
+
+
+
+
+ Ends an asynchronous request to an Internet resource.
+ A that contains the response from the Internet resource.
+ The pending request for a response.
+
+ is null.
+ This method was called previously using -or- The property is greater than 0 but the data has not been written to the request stream.
+
+ was previously called.-or- An error occurred while processing the request.
+
+ was not returned by the current instance from a call to .
+
+
+
+
+
+
+
+ Gets a value that indicates whether a response has been received from an Internet resource.
+ true if a response has been received; otherwise, false.
+
+
+ Specifies a collection of the name/value pairs that make up the HTTP headers.
+ A that contains the name/value pairs that make up the headers for the HTTP request.
+ The request has been started by calling the , , , or method.
+
+
+
+
+
+ Gets or sets the method for the request.
+ The request method to use to contact the Internet resource. The default value is GET.
+ No method is supplied.-or- The method string contains invalid characters.
+
+
+ Gets the original Uniform Resource Identifier (URI) of the request.
+ A that contains the URI of the Internet resource passed to the method.
+
+
+ Gets a value that indicates whether the request provides support for a .
+ true if the request provides support for a ; otherwise, false.true if a is supported; otherwise, false.
+
+
+ Gets or sets a value that controls whether default credentials are sent with requests.
+ true if the default credentials are used; otherwise false. The default value is false.
+ You attempted to set this property after the request was sent.
+
+
+
+
+
+ Provides an HTTP-specific implementation of the class.
+
+
+ Gets the length of the content returned by the request.
+ The number of bytes returned by the request. Content length does not include header information.
+ The current instance has been disposed.
+
+
+ Gets the content type of the response.
+ A string that contains the content type of the response.
+ The current instance has been disposed.
+
+
+ Gets or sets the cookies that are associated with this response.
+ A that contains the cookies that are associated with this response.
+ The current instance has been disposed.
+
+
+ Releases the unmanaged resources used by the , and optionally disposes of the managed resources.
+ true to release both managed and unmanaged resources; false to releases only unmanaged resources.
+
+
+ Gets the stream that is used to read the body of the response from the server.
+ A containing the body of the response.
+ There is no response stream.
+ The current instance has been disposed.
+
+
+
+
+
+
+
+ Gets the headers that are associated with this response from the server.
+ A that contains the header information returned with the response.
+ The current instance has been disposed.
+
+
+ Gets the method that is used to return the response.
+ A string that contains the HTTP method that is used to return the response.
+ The current instance has been disposed.
+
+
+ Gets the URI of the Internet resource that responded to the request.
+ A that contains the URI of the Internet resource that responded to the request.
+ The current instance has been disposed.
+
+
+ Gets the status of the response.
+ One of the values.
+ The current instance has been disposed.
+
+
+ Gets the status description returned with the response.
+ A string that describes the status of the response.
+ The current instance has been disposed.
+
+
+ Gets a value that indicates if headers are supported.
+ Returns .true if headers are supported; otherwise, false.
+
+
+ Provides the base interface for creating instances.
+
+
+ Creates a instance.
+ A instance.
+ The uniform resource identifier (URI) of the Web resource.
+ The request scheme specified in is not supported by this instance.
+
+ is null.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+ The exception that is thrown when an error is made while using a network protocol.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class with the specified message.
+ The error message string.
+
+
+ The exception that is thrown when an error occurs while accessing the network through a pluggable protocol.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class with the specified error message.
+ The text of the error message.
+
+
+ Initializes a new instance of the class with the specified error message and nested exception.
+ The text of the error message.
+ A nested exception.
+
+
+ Initializes a new instance of the class with the specified error message, nested exception, status, and response.
+ The text of the error message.
+ A nested exception.
+ One of the values.
+ A instance that contains the response from the remote host.
+
+
+ Initializes a new instance of the class with the specified error message and status.
+ The text of the error message.
+ One of the values.
+
+
+ Gets the response that the remote host returned.
+ If a response is available from the Internet resource, a instance that contains the error response from an Internet resource; otherwise, null.
+
+
+ Gets the status of the response.
+ One of the values.
+
+
+ Defines status codes for the class.
+
+
+ The remote service point could not be contacted at the transport level.
+
+
+ A message was received that exceeded the specified limit when sending a request or receiving a response from the server.
+
+
+ An internal asynchronous request is pending.
+
+
+ The request was canceled, the method was called, or an unclassifiable error occurred. This is the default value for .
+
+
+ A complete request could not be sent to the remote server.
+
+
+ No error was encountered.
+
+
+ An exception of unknown type has occurred.
+
+
+ Makes a request to a Uniform Resource Identifier (URI). This is an abstract class.
+
+
+ Initializes a new instance of the class.
+
+
+ Aborts the Request
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ When overridden in a descendant class, provides an asynchronous version of the method.
+ An that references the asynchronous request.
+ The delegate.
+ An object containing state information for this asynchronous request.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ When overridden in a descendant class, begins an asynchronous request for an Internet resource.
+ An that references the asynchronous request.
+ The delegate.
+ An object containing state information for this asynchronous request.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ When overridden in a descendant class, gets or sets the content type of the request data being sent.
+ The content type of the request data.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Initializes a new instance for the specified URI scheme.
+ A descendant for the specific URI scheme.
+ The URI that identifies the Internet resource.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ Initializes a new instance for the specified URI scheme.
+ A descendant for the specified URI scheme.
+ A containing the URI of the requested resource.
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ Initializes a new instance for the specified URI string.
+ Returns .An instance for the specific URI string.
+ A URI string that identifies the Internet resource.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Initializes a new instance for the specified URI.
+ Returns .An instance for the specific URI string.
+ A URI that identifies the Internet resource.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ When overridden in a descendant class, gets or sets the network credentials used for authenticating the request with the Internet resource.
+ An containing the authentication credentials associated with the request. The default is null.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Gets or sets the global HTTP proxy.
+ An used by every call to instances of .
+
+
+ When overridden in a descendant class, returns a for writing data to the Internet resource.
+ A to write data to.
+ An that references a pending request for a stream.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ When overridden in a descendant class, returns a .
+ A that contains a response to the Internet request.
+ An that references a pending request for a response.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ When overridden in a descendant class, returns a for writing data to the Internet resource as an asynchronous operation.
+ Returns .The task object representing the asynchronous operation.
+
+
+ When overridden in a descendant class, returns a response to an Internet request as an asynchronous operation.
+ Returns .The task object representing the asynchronous operation.
+
+
+ When overridden in a descendant class, gets or sets the collection of header name/value pairs associated with the request.
+ A containing the header name/value pairs associated with this request.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ When overridden in a descendant class, gets or sets the protocol method to use in this request.
+ The protocol method to use in this request.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ When overridden in a descendant class, gets or sets the network proxy to use to access this Internet resource.
+ The to use to access the Internet resource.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Registers a descendant for the specified URI.
+ true if registration is successful; otherwise, false.
+ The complete URI or URI prefix that the descendant services.
+ The create method that the calls to create the descendant.
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ When overridden in a descendant class, gets the URI of the Internet resource associated with the request.
+ A representing the resource associated with the request
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ When overridden in a descendant class, gets or sets a value that controls whether are sent with requests.
+ true if the default credentials are used; otherwise false. The default value is false.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Provides a response from a Uniform Resource Identifier (URI). This is an abstract class.
+
+
+ Initializes a new instance of the class.
+
+
+ When overridden in a descendant class, gets or sets the content length of data being received.
+ The number of bytes returned from the Internet resource.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ When overridden in a derived class, gets or sets the content type of the data being received.
+ A string that contains the content type of the response.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Releases the unmanaged resources used by the object.
+
+
+ Releases the unmanaged resources used by the object, and optionally disposes of the managed resources.
+ true to release both managed and unmanaged resources; false to releases only unmanaged resources.
+
+
+ When overridden in a descendant class, returns the data stream from the Internet resource.
+ An instance of the class for reading data from the Internet resource.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ When overridden in a derived class, gets a collection of header name-value pairs associated with this request.
+ An instance of the class that contains header values associated with this response.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ When overridden in a derived class, gets the URI of the Internet resource that actually responded to the request.
+ An instance of the class that contains the URI of the Internet resource that actually responded to the request.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Gets a value that indicates if headers are supported.
+ Returns .true if headers are supported; otherwise, false.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/de/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/de/System.Net.Requests.xml
new file mode 100644
index 0000000..028cd87
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/de/System.Net.Requests.xml
@@ -0,0 +1,523 @@
+
+
+
+ System.Net.Requests
+
+
+
+ Stellt eine HTTP-spezifische Implementierung der -Klasse bereit.
+
+
+ Bricht eine Anforderung an eine Internetressource ab.
+
+
+
+
+
+
+
+ Ruft den Wert des Accept-HTTP-Headers ab oder legt ihn fest.
+ Der Wert des Accept-HTTP-Headers.Der Standardwert ist null.
+
+
+ Ruft einen Wert ab, der angibt, ob die von der Internetressource empfangenen Daten gepuffert werden sollen, oder legt diesen Wert fest.
+ true, um die aus der Internetressource empfangenen Daten zwischenzuspeichern, andernfalls false.true aktiviert die Zwischenspeicherung der aus der Internetressource empfangenen Daten, false deaktiviert die Zwischenspeicherung.Die Standardeinstellung ist true.
+
+
+ Startet eine asynchrone Anforderung eines -Objekts, das zum Schreiben von Daten verwendet werden soll.
+ Ein , das auf die asynchrone Anforderung verweist.
+ Der -Delegat.
+ Das Zustandsobjekt für diese Anforderung.
+ Die -Eigenschaft ist GET oder HEAD.- oder - ist true, ist false, ist -1, ist false, und ist POST oder PUT.
+ Der Stream wird von einem vorherigen Aufruf von verwendet.- oder - ist auf einen Wert festgelegt, und ist false.- oder - Es sind nur noch wenige Threads im Threadpool verfügbar.
+ Die Cachebestätigung der Anforderung hat angegeben, dass die Antwort für diese Anforderung vom Cache bereitgestellt werden kann. Anforderungen, die Daten schreiben, dürfen jedoch den Cache nicht verwenden.Diese Ausnahme kann auftreten, wenn Sie eine benutzerdefinierte Cachebestätigung verwenden, die nicht ordnungsgemäß implementiert wurde.
+
+ wurde bereits zuvor aufgerufen.
+ In einer .NET Compact Framework-Anwendung wurde ein Anforderungsstream, dessen Inhalt die Länge 0 (null) hat, nicht korrekt abgerufen und geschlossen.Weitere Informationen über das Behandeln von Anforderungen mit einem Inhalt von der Länge 0 (null) finden Sie unter Network Programming in the .NET Compact Framework.
+
+
+
+
+
+
+
+
+
+
+ Startet eine asynchrone Anforderung an eine Internetressource.
+ Ein , das auf die asynchrone Anforderung einer Antwort verweist.
+ Der -Delegat.
+ Das Zustandsobjekt für diese Anforderung.
+ Der Stream wird bereits von einem vorherigen Aufruf von verwendet.- oder - ist auf einen Wert festgelegt, und ist false.- oder - Es sind nur noch wenige Threads im Threadpool verfügbar.
+
+ ist GET oder HEAD, und entweder ist größer als 0, oder ist true.- oder - ist true, ist false, ist -1, ist false, und ist POST oder PUT.- oder - Der hat einen Entitätstext, aber die -Methode wird aufgerufen, ohne die -Methode aufzurufen. - oder - ist größer als 0 (null), aber die Anwendung schreibt nicht alle versprochenen Daten.
+
+ wurde bereits zuvor aufgerufen.
+
+
+
+
+
+
+
+
+
+
+ Ruft den Wert des Content-type-HTTP-Headers ab oder legt ihn fest.
+ Der Wert des Content-type-HTTP-Headers.Der Standardwert ist null.
+
+
+ Ruft eine Timeout-Zeit (in Millisekunden) ab oder legt diese fest, bis zu der auf den Serverstatus gewartet wird, nachdem "100-Continue" vom Server empfangen wurde.
+ Das Timeout in Millisekunden, bis zu dem auf den Empfang von "100-Continue" gewartet wird.
+
+
+ Ruft die der Anforderung zugeordneten Cookies ab oder legt diese fest.
+ Ein mit den dieser Anforderung zugeordneten Cookies.
+
+
+ Ruft Authentifizierungsinformationen für die Anforderung ab oder legt diese fest.
+ Ein -Element mit den der Anforderung zugeordneten Anmeldeinformationen für die Authentifizierung.Die Standardeinstellung ist null.
+
+
+
+
+
+ Beendet eine asynchrone Anforderung eines -Objekts, das zum Schreiben von Daten verwendet werden soll.
+ Ein , der zum Schreiben von Anforderungsdaten verwendet werden soll.
+ Die ausstehende Anforderung für einen Datenstrom.
+
+ ist null.
+ Die Anforderung wurde nicht abgeschlossen, und es ist kein Stream verfügbar.
+
+ wurde nicht durch die derzeitige Instanz von einem Aufruf von zurückgegeben.
+ Diese Methode wurde zuvor unter Verwendung von aufgerufen.
+
+ wurde bereits zuvor aufgerufen.- oder - Fehler bei der Verarbeitung der Anforderung.
+
+
+
+
+
+
+
+ Beendet eine asynchrone Anforderung an eine Internetressource.
+ Eine mit der Antwort von der Internetressource.
+ Die ausstehende Anforderung einer Antwort.
+
+ ist null.
+ Diese Methode wurde zuvor unter Verwendung von aufgerufen.- oder - Die -Eigenschaft ist größer als 0, die Daten wurden jedoch nicht in den Anforderungsstream geschrieben.
+
+ wurde bereits zuvor aufgerufen.- oder - Fehler bei der Verarbeitung der Anforderung.
+
+ wurde nicht durch die derzeitige Instanz von einem Aufruf von zurückgegeben.
+
+
+
+
+
+
+
+ Ruft einen Wert ab, der angibt, ob eine Antwort von einer Internetressource empfangen wurde.
+ true, wenn eine Antwort empfangen wurde, andernfalls false.
+
+
+ Gibt eine Auflistung der Name-Wert-Paare an, aus denen sich die HTTP-Header zusammensetzen.
+ Eine mit den Name-Wert-Paaren, aus denen sich die Header für die HTTP-Anforderung zusammensetzen.
+ Die Anforderung wurde durch Aufrufen der -Methode, der -Methode, der -Methode oder der -Methode gestartet.
+
+
+
+
+
+ Ruft die Methode für die Anforderung ab oder legt diese fest.
+ Die Anforderungsmethode zum Herstellen der Verbindung mit der Internetressource.Der Standardwert ist GET.
+ Es wurde keine Methode angegeben.- oder - Die Zeichenfolge der Methode enthält ungültige Zeichen.
+
+
+ Ruft den ursprünglichen URI (Uniform Resource Identifier) der Anforderung ab.
+ Ein mit dem URI der Internetressource, der an die -Methode übergeben wurde.
+
+
+ Ruft einen Wert ab, der angibt, ob die Anforderung Unterstützung für einen bereitstellt.
+ true, wenn der Vorgang Unterstützung für einen bietet, andernfalls false.true, wenn ein unterstützt wird, andernfalls false.
+
+
+ Ruft einen -Wert ab, der steuert, ob mit den Anforderungen Standardanmeldeinformationen gesendet werden, oder legt diesen fest.
+ true, wenn die Standardanmeldeinformationen verwendet werden, andernfalls false.Der Standardwert ist false.
+ Sie haben versucht, diese Eigenschaft festzulegen, nachdem die Anforderung gesendet wurde.
+
+
+
+
+
+ Stellt eine HTTP-spezifische Implementierung der -Klasse bereit.
+
+
+ Ruft die Länge des von der Anforderung zurückgegebenen Inhalts ab.
+ Die Anzahl von Bytes, die von der Anforderung zurückgegeben werden.Die Inhaltslänge schließt nicht die Headerinformationen ein.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft den Inhaltstyp der Antwort ab.
+ Eine Zeichenfolge, die den Inhaltstyp der Antwort enthält.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft die dieser Antwort zugeordneten Cookies ab oder legt diese fest.
+ Eine mit den dieser Antwort zugeordneten Cookies.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Gibt die vom verwendeten, nicht verwalteten Ressourcen frei und verwirft optional auch die verwalteten Ressourcen.
+ true, um sowohl verwaltete als auch nicht verwaltete Ressourcen freizugeben. false, wenn ausschließlich nicht verwaltete Ressourcen freigegeben werden sollen.
+
+
+ Ruft den Stream ab, der zum Lesen des Textkörpers der Serverantwort verwendet wird.
+ Ein mit dem Antworttext.
+ Es ist kein Antwortstream vorhanden.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+
+
+
+
+
+ Ruft die Header ab, die dieser Antwort vom Server zugeordnet sind.
+ Eine mit den mit der Antwort zurückgegebenen Headerinformationen.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft die zum Zurückgeben der Antwort verwendete Methode ab.
+ Eine Zeichenfolge mit der zum Zurückgeben der Antwort verwendeten HTTP-Methode.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft den URI der Internetressource ab, die die Anforderung beantwortet hat.
+ Ein -Objekt, das den URI der Internetressource enthält, die die Anforderung beantwortet hat.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft den Status der Antwort ab.
+ Einer der -Werte.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft die mit der Antwort zurückgegebene Statusbeschreibung ab.
+ Eine Zeichenfolge, die den Status der Antwort beschreibt.
+ Die aktuelle Instanz wurde bereits verworfen.
+
+
+ Ruft einen Wert ab, der angibt, ob Header unterstützt werden.
+ Gibt zurück.true, wenn Header unterstützt werden, andernfalls false.
+
+
+ Stellt die Basisschnittstelle zum Erstellen von -Instanzen bereit.
+
+
+ Erstellt eine -Instanz.
+ Eine -Instanz.
+ Der URI (Uniform Resource Identifier) der Webressource.
+ Das in angegebene Anforderungsschema wird von dieser -Instanz nicht unterstützt.
+
+ ist null.
+ Unter .NET for Windows Store apps oder in der Portable Klassenbibliothek verwenden Sie stattdessen die Basisklassenausnahme .Der in angegebene URI ist kein gültiger URI.
+
+
+ Diese Ausnahme wird ausgelöst, wenn beim Verwenden eines Netzwerkprotokolls ein Fehler auftritt.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse mit der angegebenen Meldung.
+ Die Zeichenfolge der Fehlermeldung.
+
+
+ Diese Ausnahme wird ausgelöst, wenn während des Netzwerkzugriffes über ein austauschbares Protokoll ein Fehler auftritt.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse mit der angegebenen Fehlermeldung.
+ Der Text der Fehlermeldung.
+
+
+ Initialisiert eine neue Instanz der -Klasse mit der angegebenen Fehlermeldung und der angegebenen geschachtelten Ausnahme.
+ Der Text der Fehlermeldung.
+ Eine geschachtelte Ausnahme.
+
+
+ Initialisiert eine neue Instanz der -Klasse mit der angegebenen Fehlermeldung, der geschachtelten Ausnahme, dem Status und der Antwort.
+ Der Text der Fehlermeldung.
+ Eine geschachtelte Ausnahme.
+ Einer der -Werte.
+ Eine -Instanz, die die Antwort des Remotehosts enthält.
+
+
+ Initialisiert eine neue Instanz der -Klasse mit der angegebenen Fehlermeldung und dem angegebenen Status.
+ Der Text der Fehlermeldung.
+ Einer der -Werte.
+
+
+ Ruft die vom Remotehost zurückgegebene Antwort ab.
+ Wenn eine Antwort der Internetressource verfügbar ist, eine -Instanz mit der Fehlerantwort einer Internetressource, andernfalls null.
+
+
+ Ruft den Status der Antwort ab.
+ Einer der -Werte.
+
+
+ Definiert Statuscodes für die -Klasse.
+
+
+ Auf der Transportebene konnte keine Verbindung mit dem remoten Dienstpunkt hergestellt werden.
+
+
+ Es wurde eine Meldung empfangen, bei der die festgelegte Größe für das Senden einer Anforderung bzw. das Empfangen einer Antwort vom Server überschritten wurde.
+
+
+ Eine interne asynchrone Anforderung steht aus.
+
+
+ Die Anforderung wurde abgebrochen. Es wurde die -Methode aufgerufen, oder ein nicht klassifizierbarer Fehler ist aufgetreten.Dies ist der Standardwert für .
+
+
+ Es konnte keine vollständige Anforderung an den Remoteserver gesendet werden.
+
+
+ Es ist kein Fehler aufgetreten.
+
+
+ Eine Ausnahme unbekannten Typs ist aufgetreten.
+
+
+ Sendet eine Anforderung an einen Uniform Resource Identifier (URI).Dies ist eine abstract Klasse.
+
+
+ Initialisiert eine neue Instanz der-Klasse.
+
+
+ Bricht die Anforderung ab.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ Stellt beim Überschreiben in einer Nachfolgerklasse eine asynchrone Version der -Methode bereit.
+ Ein , das auf die asynchrone Anforderung verweist.
+ Der -Delegat.
+ Ein Objekt mit Zustandsinformationen für diese asynchrone Anforderung.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Startet beim Überschreiben in einer Nachfolgerklasse eine asynchrone Anforderung einer Internetressource.
+ Ein , das auf die asynchrone Anforderung verweist.
+ Der -Delegat.
+ Ein Objekt mit Zustandsinformationen für diese asynchrone Anforderung.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse den Inhaltstyp der zu sendenden Anforderungsdaten ab oder legt diese fest.
+ Der Inhaltstyp der Anforderungsdaten.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Initialisiert eine neue -Instanz für das angegebene URI-Schema.
+ Ein -Nachfolger für ein bestimmtes URI-Schema.
+ Der URI, der die Internetressource bezeichnet.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ Initialisiert eine neue -Instanz für das angegebene URI-Schema.
+ Ein -Nachfolger für das angegebene URI-Schema.
+ Ein mit dem URI der angeforderten Ressource.
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ Initialisiert eine neue -Instanz für die angegebene URI-Zeichenfolge.
+ Gibt zurück.Eine -Instanz für die spezifische URI-Zeichenfolge.
+ Eine URI-Zeichenfolge, mit der die Internetressource bezeichnet wird.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Initialisiert eine neue -Instanz für den angegebenen URI.
+ Gibt zurück.Eine -Instanz für die spezifische URI-Zeichenfolge.
+ Ein URI, mit dem die Internetressource bezeichnet wird.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse die Netzwerkanmeldeinformationen, die für die Authentifizierung der Anforderung der Internetressource verwendet werden, ab oder legt diese fest.
+ Ein -Objekt mit den mit der Anforderung verknüpften Authentifizierungsanmeldeinformationen.Die Standardeinstellung ist null.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Ruft den globalen HTTP-Proxy ab oder legt diesen fest.
+ Ein von jedem Aufruf der Instanzen von verwendeter .
+
+
+ Gibt beim Überschreiben in einer Nachfolgerklasse einen zum Schreiben von Daten in die Internetressource zurück.
+ Ein , in den Daten geschrieben werden können.
+ Ein , das auf eine ausstehende Anforderung eines Streams verweist.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Gibt beim Überschreiben in einer Nachfolgerklasse eine zurück.
+ Eine mit einer Antwort auf die Internetanforderung.
+ Ein , das auf eine ausstehende Anforderung einer Antwort verweist.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Gibt nach dem Überschreiben in einer abgeleiteten Klasse einen zurück, womit Daten in einem asynchronen Vorgang in die Internetressource geschrieben werden können.
+ Gibt zurück.Das Aufgabenobjekt, das den asynchronen Vorgang darstellt.
+
+
+ Gibt beim Überschreiben in einer Nachfolgerklasse in einem asynchronen Vorgang eine Antwort auf eine Internetanforderung zurück.
+ Gibt zurück.Das Aufgabenobjekt, das den asynchronen Vorgang darstellt.
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse eine Auflistung von Name-Wert-Paaren für Header ab, die mit der Anforderung verknüpft sind, oder legt diese fest.
+ Eine mit den dieser Anforderung zugeordneten Name-Wert-Paaren für Header.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse die in dieser Anforderung zu verwendende Protokollmethode ab oder legt diese fest.
+ Die in dieser Anforderung zu verwendende Protokollmethode.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse den beim Zugriff auf diese Internetressource verwendeten Netzwerkproxy ab oder legt diesen fest.
+ Der beim Zugriff auf die Internetressource zu verwendende .
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Registriert einen -Nachfolger für den angegebenen URI.
+ true, wenn die Registrierung erfolgreich ist, andernfalls false.
+ Der vollständige URI oder das URI-Präfix, der bzw. das der -Nachfolger bearbeitet.
+ Die Erstellungsmethode, die die zum Erstellen des -Nachfolgers aufruft.
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse den mit der Anforderung verknüpften URI der Internetressource ab.
+ Ein , der die der Anforderung zugeordnete Ressource darstellt.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse einen -Wert ab, der steuert, ob mit Anforderungen gesendet werden, oder legt einen solchen Wert fest.
+ true, wenn die Standardanmeldeinformationen verwendet werden, andernfalls false.Der Standardwert ist false.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Stellt eine Antwort eines URIs (Uniform Resource Identifier) bereit.Dies ist eine abstract Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Ruft beim Überschreiben in einer Nachfolgerklasse die Inhaltslänge der empfangenen Daten ab oder legt diese fest.
+ Die Anzahl der von der Internetressource zurückgegebenen Bytes.
+ Es wurde versucht, die Eigenschaft abzurufen oder festzulegen, obwohl die Eigenschaft in einer Nachfolgerklasse nicht überschrieben wurde.
+
+
+
+
+
+ Ruft beim Überschreiben in einer abgeleiteten Klasse den Inhaltstyp der empfangenen Daten ab oder legt diesen fest.
+ Eine Zeichenfolge, die den Inhaltstyp der Antwort enthält.
+ Es wurde versucht, die Eigenschaft abzurufen oder festzulegen, obwohl die Eigenschaft in einer Nachfolgerklasse nicht überschrieben wurde.
+
+
+
+
+
+ Gibt die vom -Objekt verwendeten nicht verwalteten Ressourcen frei.
+
+
+ Gibt die vom -Objekt verwendeten nicht verwalteten Ressourcen und verwirft optional auch die verwalteten Ressourcen.
+ true, um sowohl verwaltete als auch nicht verwaltete Ressourcen freizugeben. false, wenn ausschließlich nicht verwaltete Ressourcen freigegeben werden sollen.
+
+
+ Gibt beim Überschreiben in einer Nachfolgerklasse den Datenstream von der Internetressource zurück.
+ Eine Instanz der -Klasse zum Lesen von Daten aus der Internetressource.
+ Es wurde versucht, auf die Methode zuzugreifen, obwohl die Methode in einer Nachfolgerklasse nicht überschrieben wurde.
+
+
+
+
+
+ Ruft beim Überschreiben in einer abgeleiteten Klasse eine Auflistung von Name-Wert-Paaren für Header ab, die dieser Anforderung zugeordnet sind.
+ Eine Instanz der -Klasse, die Headerwerte enthält, die dieser Antwort zugeordnet sind.
+ Es wurde versucht, die Eigenschaft abzurufen oder festzulegen, obwohl die Eigenschaft in einer Nachfolgerklasse nicht überschrieben wurde.
+
+
+
+
+
+ Ruft beim Überschreiben in einer abgeleiteten Klasse den URI der Internetressource ab, die letztlich auf die Anforderung geantwortet hat.
+ Eine Instanz der -Klasse, die den URI der Internetressource enthält, die letztlich auf die Anforderung geantwortet hat.
+ Es wurde versucht, die Eigenschaft abzurufen oder festzulegen, obwohl die Eigenschaft in einer Nachfolgerklasse nicht überschrieben wurde.
+
+
+
+
+
+ Ruft einen Wert ab, der angibt, ob Header unterstützt werden.
+ Gibt zurück.true, wenn Header unterstützt werden, andernfalls false.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/es/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/es/System.Net.Requests.xml
new file mode 100644
index 0000000..1174941
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/es/System.Net.Requests.xml
@@ -0,0 +1,537 @@
+
+
+
+ System.Net.Requests
+
+
+
+ Proporciona una implementación específica de HTTP de la clase .
+
+
+ Cancela una solicitud de un recurso de Internet.
+
+
+
+
+
+
+
+ Obtiene o establece el valor del encabezado HTTP Accept.
+ Valor del encabezado HTTP Accept.El valor predeterminado es null.
+
+
+ Obtiene o establece un valor que indica si los datos recibidos del recurso de Internet deben almacenarse en el búfer.
+ truepara almacenar en búfer recibido del recurso de Internet; de lo contrario, false.Es true para habilitar el almacenamiento en búfer de los datos recibidos del recurso de Internet; es false para deshabilitar el almacenamiento en búfer.De manera predeterminada, es true.
+
+
+ Inicia una solicitud asincrónica de un objeto que se va a utilizar para escribir datos.
+
+ que hace referencia a la solicitud asincrónica.
+ Delegado .
+ Objeto de estado de esta solicitud.
+ La propiedad es GET o HEAD.o bien es true, es false, es -1, es false y es POST o PUT.
+ La secuencia la utiliza una llamada anterior a .o bien se establece en un valor y es false.o bien El grupo de subprocesos se queda sin subprocesos.
+ El validador de caché de solicitud indicó que la respuesta para esta solicitud se puede obtener de la caché; sin embargo, las solicitudes que escriben datos no deben utilizar la caché.Esta excepción puede aparecer si se utiliza un validador de caché personalizado que se implementa incorrectamente.
+ Se llamó anteriormente a .
+ En una aplicación de .NET Compact Framework, una secuencia de solicitudes con longitud de contenido cero no se obtuvo y se cerró correctamente.Para obtener más información sobre cómo controlar las solicitudes de longitud de contenido cero, vea Network Programming in the .NET Compact Framework.
+
+
+
+
+
+
+
+
+
+
+ Inicia una solicitud asincrónica de un recurso de Internet.
+
+ que hace referencia a la solicitud asincrónica de una respuesta.
+ Delegado .
+ Objeto de estado de esta solicitud.
+ La secuencia está en uso por una llamada anterior al método .o bien se establece en un valor y es false.o bien El grupo de subprocesos se queda sin subprocesos.
+
+ es GET o HEAD, y es mayor que cero o es true.o bien es true, es false, y es -1, es false y es POST o PUT.o bien tiene un cuerpo de entidad pero se llama al método sin llamar al método . o bien es mayor que el cero, pero la aplicación no escribe todos los datos prometidos.
+ Se llamó anteriormente a .
+
+
+
+
+
+
+
+
+
+
+ Obtiene o establece el valor del encabezado HTTP Content-type.
+ Valor del encabezado HTTP Content-type.El valor predeterminado es null.
+
+
+ Obtiene o establece el tiempo de espera, en milisegundos, para esperar hasta que se reciba 100-Continue del servidor.
+ El tiempo de espera, en milisegundos, que se espera hasta que se recibe 100-Continue.
+
+
+ Obtiene o establece las cookies asociadas a la solicitud.
+
+ que contiene las cookies asociadas a esta solicitud.
+
+
+ Obtiene o establece la información de autenticación para la solicitud.
+
+ que contiene las credenciales de autenticación asociadas a la solicitud.De manera predeterminada, es null.
+
+
+
+
+
+ Finaliza una solicitud asincrónica para utilizar un objeto para escribir datos.
+
+ que se utiliza para escribir los datos de la solicitud.
+ Solicitud pendiente de un flujo.
+
+ is null.
+ La solicitud no se completó y no hay ninguna secuencia disponible.
+ La instancia actual no devolvió de una llamada a .
+ Se llamó anteriormente a este método por medio de .
+ Se llamó anteriormente a .o bien Se ha producido un error al procesar la solicitud.
+
+
+
+
+
+
+
+ Finaliza una solicitud asincrónica de un recurso de Internet.
+
+ que contiene la respuesta del recurso de Internet.
+ Solicitud de una respuesta pendiente.
+
+ is null.
+ Se llamó anteriormente a este método por medio de .o bien La propiedad es mayor que 0, aunque no se han escrito los datos en la secuencia de la solicitud.
+ Se llamó anteriormente a .o bien Se ha producido un error al procesar la solicitud.
+ La instancia actual no devolvió de una llamada a .
+
+
+
+
+
+
+
+ Obtiene un valor que indica si se ha recibido una respuesta de un recurso de Internet.
+ Es true si se ha recibido una respuesta; de lo contrario, es false.
+
+
+ Especifica una colección de los pares nombre/valor que componen los encabezados HTTP.
+
+ que contiene los pares nombre-valor que componen los encabezados de la solicitud HTTP.
+ La solicitud se inició llamando al método , , o .
+
+
+
+
+
+ Obtiene o establece el método para la solicitud.
+ Método de solicitud que se debe utilizar para establecer contacto con el recurso de Internet.El valor predeterminado es GET.
+ No se proporciona ningún método.o bien La cadena de método contiene caracteres no válidos.
+
+
+ Obtiene el identificador URI original de la solicitud.
+ Un que contiene el URI del recurso de Internet pasado a la método.
+
+
+ Obtiene un valor que indica si la solicitud admite un .
+ trueSi la solicitud proporciona compatibilidad para una ; de lo contrario, false.trueSi un se admite; de lo contrario, false.
+
+
+ Obtiene o establece un valor que controla si se envían las credenciales predeterminadas con las solicitudes.
+ Es true si se utilizan las credenciales predeterminadas; en cualquier otro caso, es false.El valor predeterminado es false.
+ Se intentó establecer esta propiedad después de que se enviara la solicitud.
+
+
+
+
+
+ Proporciona una implementación específica de HTTP de la clase .
+
+
+ Obtiene la longitud del contenido devuelto por la solicitud.
+ Número de bytes devueltos por la solicitud.La longitud del contenido no incluye la información de encabezado.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene el tipo de contenido de la respuesta.
+ Cadena que contiene el tipo de contenido de la respuesta.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene o establece las cookies asociadas a esta respuesta.
+ Un objeto que contiene las cookies asociadas a esta respuesta.
+ Se ha eliminado la instancia actual.
+
+
+ Libera los recursos no administrados que usa y, de forma opcional, desecha los recursos administrados.
+ Es true para liberar tanto recursos administrados como no administrados; es false para liberar únicamente recursos no administrados.
+
+
+ Obtiene la secuencia usada para leer el cuerpo de la respuesta del servidor.
+
+ que contiene el cuerpo de la respuesta.
+ No hay secuencia de respuesta.
+ Se ha eliminado la instancia actual.
+
+
+
+
+
+
+
+ Obtiene los encabezados asociados con esta respuesta del servidor.
+
+ que contiene la información de encabezado devuelta con la respuesta.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene el método usado para devolver la respuesta.
+ Cadena que contiene el método HTTP usado para devolver la respuesta.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene el URI del recurso de Internet que respondió a la solicitud.
+ Objeto que contiene el URI del recurso de Internet que respondió a la solicitud.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene el estado de la respuesta.
+ Uno de los valores de .
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene la descripción del estado devuelto con la respuesta.
+ Cadena que describe el estado de la respuesta.
+ Se ha eliminado la instancia actual.
+
+
+ Obtiene un valor que indica si se admiten encabezados.
+ Devuelve .Es true si se admiten encabezados; de lo contrario, es false.
+
+
+ Proporciona la interfaz base para crear instancias de .
+
+
+ Crea una instancia de .
+ Instancia de .
+ Identificador de recursos uniforme (URI) del recurso Web.
+ Esta instancia de no admite el esquema de solicitud especificado en .
+
+ es null.
+ En las API de .NET para aplicaciones de la Tienda Windows o en la Biblioteca de clases portable, encuentre la excepción de la clase base, , en su lugar.El identificador URI especificado en no es válido.
+
+
+ Excepción que se produce cuando se produce un error mientras se utiliza un protocolo de red.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase con el mensaje especificado.
+ Cadena con el mensaje de error.
+
+
+ Excepción que se produce cuando se produce un error al obtener acceso a la red mediante un protocolo conectable.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase con el mensaje de error especificado.
+ Texto del mensaje de error.
+
+
+ Inicializa una nueva instancia de la clase con el mensaje de error y la excepción anidada especificados.
+ Texto del mensaje de error.
+ Excepción anidada.
+
+
+ Inicializa una nueva instancia de la clase con el mensaje de error, la excepción anidada, el estado y la respuesta especificados.
+ Texto del mensaje de error.
+ Excepción anidada.
+ Uno de los valores de .
+ Instancia de que contiene la respuesta del host remoto.
+
+
+ Inicializa una nueva instancia de la clase con el mensaje de error y el estado especificados.
+ Texto del mensaje de error.
+ Uno de los valores de .
+
+
+ Obtiene la respuesta que devolvió el host remoto.
+ Si hay una respuesta disponible en el recurso de Internet, se trata de una instancia de que contiene la respuesta de error de un recurso de Internet; en caso contrario, es null.
+
+
+ Obtiene el estado de la respuesta.
+ Uno de los valores de .
+
+
+ Define códigos de estado para la clase .
+
+
+ No se ha podido establecer contacto con el punto de servicio remoto en el nivel de transporte.
+
+
+ Se recibió un mensaje que superaba el límite especificado al enviar una solicitud o recibir una respuesta del servidor.
+
+
+ Está pendiente una solicitud asincrónica interna.
+
+
+ La solicitud se canceló, se llamó al método o se produjo un error no clasificable.Éste es el valor predeterminado de .
+
+
+ No se ha podido enviar una solicitud completa al servidor remoto.
+
+
+ No se ha encontrado ningún error.
+
+
+ Se ha producido una excepción de tipo desconocido.
+
+
+ Realiza una solicitud a un identificador uniforme de recursos (URI).Esta es una clase abstract.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Anula la solicitud
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ Cuando se reemplaza en una clase descendiente, proporciona una versión asincrónica del método .
+
+ que hace referencia a la solicitud asincrónica.
+ Delegado .
+ Objeto que contiene información de estado para esta solicitud asincrónica.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Cuando se reemplaza en una clase descendiente, comienza una solicitud asincrónica de un recurso de Internet.
+
+ que hace referencia a la solicitud asincrónica.
+ Delegado .
+ Objeto que contiene información de estado para esta solicitud asincrónica.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece el tipo de contenido de los datos solicitados que se envían.
+ Tipo de contenido de los datos de la solicitud.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Inicializa una nueva instancia de para el esquema URI especificado.
+ Descendiente para un esquema URI específico.
+ URI que identifica el recurso de Internet.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ Inicializa una nueva instancia de para el esquema URI especificado.
+ Descendiente para el esquema URI especificado.
+
+ que contiene el identificador URI del recurso solicitado.
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ Inicializa una nueva instancia de para la cadena de URI especificada.
+ Devuelve .Instancia de para la cadena de URI concreta.
+ Cadena de URI que identifica el recurso de Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Inicializa una nueva instancia de para el URI especificado.
+ Devuelve .Instancia de para la cadena de URI concreta.
+ URI que identifica el recurso de Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece las credenciales de red utilizadas para autenticar la solicitud con el recurso de Internet.
+
+ que contiene las credenciales de autenticación asociadas a la solicitud.De manera predeterminada, es null.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Obtiene o establece el proxy HTTP global.
+ Objeto usado en cada llamada a las instancias de .
+
+
+ Cuando se reemplaza en una clase descendiente, devuelve para escribir datos en el recurso de Internet.
+
+ donde se escribirán datos.
+
+ que hace referencia a una solicitud pendiente de una secuencia.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Cuando se reemplaza en una clase descendiente, devuelve .
+
+ que contiene una respuesta a la solicitud de Internet.
+
+ que hace referencia a una solicitud de respuesta pendiente.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Cuando se invalida en una clase descendiente, devuelve un objeto para escribir datos en el recurso de Internet como una operación asincrónica.
+ Devuelve .Objeto de tarea que representa la operación asincrónica.
+
+
+ Cuando se invalida en una clase descendiente, devuelve una respuesta a una solicitud de Internet como una operación asincrónica.
+ Devuelve .Objeto de tarea que representa la operación asincrónica.
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece la colección de pares de nombre/valor de encabezado asociados a la solicitud.
+
+ que contiene los pares de nombre/valor de encabezado que están asociados a esta solicitud.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece el método de protocolo que se va a utilizar en esta solicitud.
+ Método de protocolo que se utilizará en esta solicitud.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece el proxy de red que se va a utilizar para tener acceso a este recurso de Internet.
+
+ que se va a utilizar para tener acceso al recurso de Internet.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Registra un descendiente para el identificador URI especificado.
+ Es true si el registro es correcto; en caso contrario, es false.
+ Identificador URI o prefijo URI completo que resuelve el descendiente de .
+ Método de creación al que llama para crear el descendiente .
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene el identificador URI del recurso de Internet asociado a la solicitud.
+
+ que representa el recurso asociado a la solicitud
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece un valor que controla si se envían con las solicitudes.
+ Es true si se utilizan las credenciales predeterminadas; en caso contrario, es false.El valor predeterminado es false.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Proporciona una respuesta desde un identificador de recursos uniforme (URI).Esta es una clase abstract.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Cuando se reemplaza en una clase descendiente, obtiene o establece la longitud del contenido de los datos recibidos.
+ Número de bytes devuelto desde el recurso de Internet.
+ Se intenta por todos los medios obtener o establecer la propiedad, cuando la propiedad no se reemplaza en una clase descendiente.
+
+
+
+
+
+ Cuando se realizan omisiones en una clase derivada, obtiene o establece el tipo de contenido de los datos recibidos.
+ Cadena que contiene el tipo de contenido de la respuesta.
+ Se intenta por todos los medios obtener o establecer la propiedad, cuando la propiedad no se reemplaza en una clase descendiente.
+
+
+
+
+
+ Libera los recursos no administrados que usa el objeto .
+
+
+ Libera los recursos no administrados que usa el objeto y, de forma opcional, desecha los recursos administrados.
+ Es true para liberar tanto recursos administrados como no administrados; es false para liberar únicamente recursos no administrados.
+
+
+ Cuando se reemplaza en una clase descendiente, se devuelve el flujo de datos desde el recurso de Internet.
+ Instancia de la clase para leer los datos procedentes del recurso de Internet.
+ Se intenta por todos los medios tener acceso al método, cuando el método no se reemplaza en una clase descendiente.
+
+
+
+
+
+ Cuando se realizan omisiones en una clase derivada, obtiene una colección de pares de nombre-valor de encabezado asociados a esta solicitud.
+ Instancia de la clase que contiene los valores de encabezado asociados a esta respuesta.
+ Se intenta por todos los medios obtener o establecer la propiedad, cuando la propiedad no se reemplaza en una clase descendiente.
+
+
+
+
+
+ Cuando se reemplaza en una clase derivada, obtiene el identificador URI del recurso de Internet que respondió a la solicitud.
+ Instancia de la clase que contiene el identificador URI del recurso de Internet que respondió a la solicitud.
+ Se intenta por todos los medios obtener o establecer la propiedad, cuando la propiedad no se reemplaza en una clase descendiente.
+
+
+
+
+
+ Obtiene un valor que indica si se admiten encabezados.
+ Devuelve .Es true si se admiten encabezados; de lo contrario, es false.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/fr/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/fr/System.Net.Requests.xml
new file mode 100644
index 0000000..0bf225f
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/fr/System.Net.Requests.xml
@@ -0,0 +1,530 @@
+
+
+
+ System.Net.Requests
+
+
+
+ Fournit une implémentation propre à HTTP de la classe .
+
+
+ Annule une requête adressée à une ressource Internet.
+
+
+
+
+
+
+
+ Obtient ou définit la valeur de l'en-tête HTTP Accept.
+ Valeur de l'en-tête HTTP Accept.La valeur par défaut est null.
+
+
+ Obtient ou définit une valeur indiquant si les données reçues à partir de la ressource Internet doivent être mises en mémoire tampon.
+ truedans la mémoire tampon reçues à partir de la ressource Internet ; Sinon, false.true pour activer la mise en mémoire tampon des données lues à partir de la ressource Internet ; false pour désactiver la mise en mémoire tampon.La valeur par défaut est true.
+
+
+ Démarre une requête asynchrone d'un objet à utiliser pour écrire des données.
+
+ qui fait référence à la requête asynchrone.
+ Délégué .
+ Objet d'état de cette requête.
+ La propriété est GET ou HEAD.ou La propriété a la valeur true, la propriété a la valeur false, la propriété a la valeur -1, la propriété a la valeur false et la propriété a la valeur POST ou PUT.
+ Le flux est actuellement utilisé par un appel antérieur à .ou Une valeur est affectée à la propriété et la propriété est false.ou Le pool de threads dispose d'un nombre insuffisant de threads.
+ Le validateur de cache de la requête a indiqué que la réponse à cette requête peut être fournie à partir du cache ; toutefois, les requêtes qui écrivent des données ne doivent pas utiliser le cache.Cette exception peut se produire si vous utilisez un validateur de cache personnalisé qui est implémenté de manière incorrecte.
+ La méthode a été appelée au préalable.
+ Dans une application .NET Compact Framework, un flux de requête avec une longueur de contenu nulle n'a pas été obtenu ni fermé correctement.Pour plus d'informations sur la gestion de requêtes avec une longueur de contenu nulle, consultez Network Programming in the .NET Compact Framework.
+
+
+
+
+
+
+
+
+
+
+ Démarre une requête asynchrone adressée à une ressource Internet.
+
+ qui fait référence à la requête asynchrone d'une réponse.
+ Délégué .
+ Objet d'état de cette requête.
+ Le flux est déjà utilisé par un appel antérieur à .ou Une valeur est affectée à la propriété et la propriété est false.ou Le pool de threads dispose d'un nombre insuffisant de threads.
+ La propriété a la valeur GET ou HEAD et la propriété est supérieure à zéro ou la propriété est true.ou La propriété a la valeur true, la propriété a la valeur false et la propriété a la valeur -1, la propriété a la valeur false et la propriété a la valeur POST ou PUT.ou Le a un corps d'entité, mais la méthode est appelée sans appeler la méthode . ou Le est supérieur à zéro, mais l'application n'écrit pas toutes les données promises.
+ La méthode a été appelée au préalable.
+
+
+
+
+
+
+
+
+
+
+ Obtient ou définit la valeur de l'en-tête HTTP Content-type.
+ Valeur de l'en-tête HTTP Content-type.La valeur par défaut est null.
+
+
+ Obtient ou définit le délai d'attente, en millisecondes, jusqu'à réception de la réponse 100-Continue depuis le serveur.
+ Délai d'attente, en millisecondes, jusqu'à réception de la réponse 100-Continue.
+
+
+ Obtient ou définit les cookies associés à la requête.
+
+ contenant les cookies associés à cette requête.
+
+
+ Obtient ou définit les informations d'authentification pour la requête.
+
+ qui contient les informations d'authentification associées à la requête.La valeur par défaut est null.
+
+
+
+
+
+ Met fin à une requête asynchrone d'un objet à utiliser pour écrire des données.
+
+ à utiliser pour écrire les données de la requête.
+ Requête d'un flux en attente.
+
+ a la valeur null.
+ La requête ne s'est pas achevée et aucun flux n'est disponible.
+
+ n'a pas été retourné par l'instance actuelle à partir d'un appel à la méthode .
+ Cette méthode a été appelée au préalable à l'aide de .
+ La méthode a été appelée au préalable.ou Une erreur s'est produite pendant le traitement de la requête.
+
+
+
+
+
+
+
+ Termine une requête asynchrone adressée à une ressource Internet.
+
+ contenant la réponse de la ressource Internet.
+ Requête d'une réponse en attente.
+
+ a la valeur null.
+ Cette méthode a été appelée au préalable à l'aide de ou La propriété est supérieure à 0, mais les données n'ont pas été écrites dans le flux de requête.
+ La méthode a été appelée au préalable.ou Une erreur s'est produite pendant le traitement de la requête.
+
+ n'a pas été retourné par l'instance actuelle à partir d'un appel à la méthode .
+
+
+
+
+
+
+
+ Obtient une valeur indiquant si une réponse a été reçue d'une ressource Internet.
+ true si une réponse a été reçue ; sinon, false.
+
+
+ Spécifie une collection de paires nom-valeur qui composent les en-têtes HTTP.
+
+ contenant les paires nom-valeur qui composent les en-têtes de la requête HTTP.
+ La requête a été lancée suite à l'appel de la méthode , , ou .
+
+
+
+
+
+ Obtient ou définit la méthode pour la requête.
+ Méthode de requête à utiliser pour contacter la ressource Internet.La valeur par défaut est GET.
+ Aucune méthode n'est fournie.ou La chaîne de la méthode contient des caractères non valides.
+
+
+ Obtient l'URI (Uniform Resource Identifier) d'origine de la requête.
+
+ contenant l'URI de la ressource Internet passée à la méthode .
+
+
+ Obtient une valeur qui indique si la requête fournit une prise en charge pour une .
+ trueSi la demande prend en charge une ; Sinon, false.true si un est pris en charge ; sinon, false.
+
+
+ Obtient ou définit une valeur qui contrôle si les informations d'identification par défaut sont envoyées avec les requêtes.
+ true si les informations d'identification par défaut sont utilisées ; sinon, false.La valeur par défaut est false.
+ Vous avez essayé de définir cette propriété après l'envoi de la requête.
+
+
+
+
+
+ Fournit une implémentation propre à HTTP de la classe .
+
+
+ Obtient la longueur du contenu retourné par la demande.
+ Nombre d'octets retournés par la demande.La longueur de contenu n'inclut pas d'informations d'en-tête.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient le type de contenu de la réponse.
+ Chaîne qui contient le type de contenu de la réponse.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient ou définit les cookies qui sont associés à cette réponse.
+
+ qui contient les cookies associés à cette réponse.
+ L'instance actuelle a été supprimée.
+
+
+ Libère les ressources non managées utilisées par et supprime éventuellement les ressources managées.
+ true pour libérer les ressources managées et non managées ; false pour libérer uniquement les ressources non managées.
+
+
+ Obtient le flux qui est utilisé pour lire le corps de la réponse du serveur.
+
+ contenant le corps de la réponse.
+ Il n'y a pas de flux de réponse.
+ L'instance actuelle a été supprimée.
+
+
+
+
+
+
+
+ Obtient du serveur les en-têtes qui sont associés à cette réponse.
+
+ qui contient les informations d'en-tête retournées avec la réponse.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient la méthode qui est utilisée pour retourner la réponse.
+ Chaîne qui contient la méthode HTTP utilisée pour retourner la réponse.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient l'URI de la ressource Internet qui a répondu à la demande.
+
+ qui contient l'URI de la ressource Internet qui a répondu à la demande.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient l'état de la réponse.
+ Une des valeurs de .
+ L'instance actuelle a été supprimée.
+
+
+ Obtient la description d'état retournée avec la réponse.
+ Chaîne qui décrit l'état de la réponse.
+ L'instance actuelle a été supprimée.
+
+
+ Obtient une valeur qui indique si les en-têtes sont pris en charge.
+ Retourne .true si les en-têtes sont pris en charge ; sinon, false.
+
+
+ Fournit l'interface de base pour la création d'instances de .
+
+
+ Crée une instance de .
+ Instance de .
+ URI (Uniform Resource Identifier) de la ressource Web.
+ Le schéma de demande spécifié dans n'est pas pris en charge par cette instance de .
+
+ a la valeur null.
+ Dans les .NET pour applications Windows Store ou la Bibliothèque de classes portable, intercepte l'exception de classe de base, , sinon.L'URI spécifié dans n'est pas un URI valide.
+
+
+ Exception levée en cas d'erreur durant l'utilisation d'un protocole réseau.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe avec le message spécifié.
+ Chaîne du message d'erreur.
+
+
+ Exception levée en cas d'erreur lors de l'accès au réseau via un protocole enfichable.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe avec le message d'erreur spécifié.
+ Texte du message d'erreur.
+
+
+ Initialise une nouvelle instance de la classe avec le message d'erreur et l'exception imbriquée spécifiés.
+ Texte du message d'erreur.
+ Une exception imbriquée.
+
+
+ Initialise une nouvelle instance de la classe avec le message d'erreur, l'exception imbriquée, l'état et la réponse spécifiés.
+ Texte du message d'erreur.
+ Une exception imbriquée.
+ Une des valeurs de .
+ Instance de qui contient la réponse de l'hôte distant.
+
+
+ Initialise une nouvelle instance de la classe avec le message d'erreur et l'état spécifiés.
+ Texte du message d'erreur.
+ Une des valeurs de .
+
+
+ Obtient la réponse retournée par l'hôte distant.
+ Instance de qui contient la réponse d'erreur issue d'une ressource Internet, lorsqu'une réponse est disponible à partir de cette ressource ; sinon, null.
+
+
+ Obtient l'état de la réponse.
+ Une des valeurs de .
+
+
+ Définit les codes d'état pour la classe .
+
+
+ Le point de service distant n'a pas pu être contacté au niveau du transport.
+
+
+ Le message reçu dépassait la limite spécifiée lors de l'envoi d'une demande ou de la réception d'une réponse du serveur.
+
+
+ Une demande asynchrone interne est en attente.
+
+
+ La demande a été annulée, la méthode a été appelée ou une erreur inclassable s'est produite.C'est la valeur par défaut pour .
+
+
+ Une demande complète n'a pas pu être envoyée au serveur distant.
+
+
+ Aucune erreur n'a été rencontrée.
+
+
+ Une exception d'un type inconnu s'est produite.
+
+
+ Effectue une demande à un URI (Uniform Resource Identifier).Il s'agit d'une classe abstract.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Abandonne la demande.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ En cas de substitution dans une classe descendante, fournit une version asynchrone de la méthode .
+ Élément qui référence la demande asynchrone.
+ Délégué .
+ Objet contenant les informations d'état de cette demande asynchrone.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ En cas de substitution dans une classe descendante, démarre une demande asynchrone pour une ressource Internet.
+ Élément qui référence la demande asynchrone.
+ Délégué .
+ Objet contenant les informations d'état de cette demande asynchrone.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ En cas de substitution dans une classe descendante, obtient ou définit le type de contenu des données de demande envoyées.
+ Type de contenu des données de demande.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Initialise une nouvelle instance de pour le modèle d'URI spécifié.
+ Descendant de pour le modèle d'URI spécifique.
+ URI qui identifie la ressource Internet.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ Initialise une nouvelle instance de pour le modèle d'URI spécifié.
+ Descendant de pour le modèle d'URI spécifié.
+ Élément contenant l'URI de la ressource demandée.
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ Initialise une nouvelle instance de pour la chaîne d'URI spécifiée.
+ Retourne .Instance de pour la chaîne d'URI spécifique.
+ Chaîne d'URI qui identifie la ressource Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Initialise une nouvelle instance de pour l'URI spécifié.
+ Retourne .Instance de pour la chaîne d'URI spécifique.
+ URI qui identifie la ressource Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ En cas de substitution dans une classe descendante, obtient ou définit les informations d'identification réseau utilisées pour authentifier la demande auprès de la ressource Internet.
+ Élément contenant les informations d'identification d'authentification associées à la demande.La valeur par défaut est null.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Obtient ou définit le proxy HTTP global.
+ Élément utilisé par chaque appel aux instances de .
+
+
+ En cas de remplacement dans une classe descendante, retourne un élément pour l'écriture de données dans la ressource Internet.
+ Élément dans lequel écrire des données.
+ Élément qui référence une demande en attente pour un flux.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ En cas de remplacement dans une classe descendante, retourne un élément .
+ Élément qui contient une réponse à la demande Internet.
+ Élément qui référence une demande de réponse en attente.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ En cas de remplacement dans une classe descendante, retourne un élément pour l'écriture de données dans la ressource Internet sous forme d'opération asynchrone.
+ Retourne .Objet de tâche représentant l'opération asynchrone.
+
+
+ En cas de substitution dans une classe descendante, retourne une réponse à une demande Internet en tant qu'opération asynchrone.
+ Retourne .Objet de tâche représentant l'opération asynchrone.
+
+
+ En cas de substitution dans une classe descendante, obtient ou définit la collection de paires nom/valeur d'en-tête associées à la demande.
+ Élément qui contient les paires nom/valeur d'en-tête associées à cette demande.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ En cas de substitution dans une classe descendante, obtient ou définit la méthode de protocole à utiliser dans cette demande.
+ Méthode de protocole utilisée dans cette demande.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ En cas de substitution dans une classe descendante, obtient ou définit le proxy réseau à utiliser pour accéder à cette ressource Internet.
+ Élément à utiliser pour accéder à la ressource Internet.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Inscrit un descendant de pour l'URI spécifié.
+ true si l'inscription a réussi ; sinon, false.
+ URI complet ou préfixe d'URI traité par le descendant de .
+ Méthode de création appelée par l'élément pour créer le descendant de .
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ En cas de substitution dans une classe descendante, obtient l'URI de la ressource Internet associée à la demande.
+ Élément représentant la ressource associée à la demande.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ En cas de remplacement dans une classe descendante, obtient ou définit une valeur qui détermine si les éléments sont envoyés avec les demandes.
+ true si les informations d'identification par défaut sont utilisées ; sinon, false.La valeur par défaut est false.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Fournit une réponse provenant d'un URI (Uniform Resource Identifier).Il s'agit d'une classe abstract.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ En cas de substitution dans une classe dérivée, obtient ou définit la longueur du contenu des données reçues.
+ Nombre d'octets retournés par la ressource Internet.
+ Toutes les tentatives possibles sont effectuées pour obtenir ou définir la propriété si celle-ci n'est pas substituée dans une classe descendante.
+
+
+
+
+
+ En cas de substitution dans une classe dérivée, obtient ou définit le type de contenu des données reçues.
+ Chaîne qui contient le type de contenu de la réponse.
+ Toutes les tentatives possibles sont effectuées pour obtenir ou définir la propriété si celle-ci n'est pas substituée dans une classe descendante.
+
+
+
+
+
+ Libère les ressources non managées utilisées par l'objet .
+
+
+ Libère les ressources non managées utilisées par l'objet et supprime éventuellement les ressources managées.
+ true pour libérer les ressources managées et non managées ; false pour libérer uniquement les ressources non managées.
+
+
+ En cas de substitution dans une classe dérivée, retourne le flux de données de la ressource Internet.
+ Instance de la classe pour la lecture de données de la ressource Internet.
+ Toutes les tentatives possibles sont effectuées pour accéder à la méthode si celle-ci n'est pas substituée dans une classe descendante.
+
+
+
+
+
+ En cas de substitution dans une classe dérivée, obtient une collection de paires nom-valeur d'en-tête associées à cette demande.
+ Instance de la classe qui contient les valeurs d'en-tête associées à cette réponse.
+ Toutes les tentatives possibles sont effectuées pour obtenir ou définir la propriété si celle-ci n'est pas substituée dans une classe descendante.
+
+
+
+
+
+ En cas de substitution dans une classe dérivée, obtient l'URI de la ressource Internet qui a réellement répondu à la demande.
+ Instance de la classe qui contient l'URI de la ressource Internet qui a réellement répondu à la demande.
+ Toutes les tentatives possibles sont effectuées pour obtenir ou définir la propriété si celle-ci n'est pas substituée dans une classe descendante.
+
+
+
+
+
+ Obtient une valeur qui indique si les en-têtes sont pris en charge.
+ Retourne .true si les en-têtes sont pris en charge ; sinon, false.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/it/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/it/System.Net.Requests.xml
new file mode 100644
index 0000000..d048d98
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/it/System.Net.Requests.xml
@@ -0,0 +1,523 @@
+
+
+
+ System.Net.Requests
+
+
+
+ Fornisce un'implementazione specifica di HTTP della classe .
+
+
+ Annulla una richiesta a una risorsa Internet.
+
+
+
+
+
+
+
+ Ottiene o imposta il valore dell'intestazione HTTP Accept.
+ Valore dell'intestazione HTTP Accept.Il valore predefinito è null.
+
+
+ Ottiene o imposta un valore che indica se memorizzare nel buffer i dati ricevuti dalla risorsa Internet.
+ trueper memorizzare l'oggetto ricevuto dalla risorsa Internet. in caso contrario, false.true per abilitare la memorizzazione nel buffer dei dati ricevuti dalla risorsa Internet; false per disabilitarla.Il valore predefinito è true.
+
+
+ Avvia una richiesta asincrona per un oggetto da usare per la scrittura dei dati.
+ Oggetto che fa riferimento alla richiesta asincrona.
+ Delegato .
+ Oggetto di stato per la richiesta.
+ La proprietà è GET oppure HEAD.-oppure- è true, è false, è -1, è false e è POST o PUT.
+ Il flusso è utilizzato da una chiamata precedente a -oppure- è impostata su un valore e è false.-oppure- Il pool di thread sta esaurendo i thread.
+ Il validator della cache delle richieste ha indicato che la risposta per questa richiesta può essere soddisfatta dalla cache; tuttavia le richieste che scrivono dati non utilizzano la cache.Questa eccezione può verificarsi se si utilizza un validator personalizzato per la cache non implementato correttamente.
+
+ è stato chiamato precedentemente.
+ In un'applicazione .NET Compact Framework, un flusso di richiesta con una lunghezza del contenuto pari a zero non è stato ottenuto e chiuso in modo corretto.Per ulteriori informazioni sulla gestione di richieste di lunghezza del contenuto pari a zero, vedere Network Programming in the .NET Compact Framework.
+
+
+
+
+
+
+
+
+
+
+ Avvia una richiesta asincrona a una risorsa Internet.
+ Oggetto che fa riferimento alla richiesta asincrona per una risposta.
+ Delegato .
+ Oggetto di stato per la richiesta.
+ Il flusso è già utilizzato da una chiamata precedente a .-oppure- è impostata su un valore e è false.-oppure- Il pool di thread sta esaurendo i thread.
+
+ è GET oppure HEAD e è maggiore di zero o è true.-oppure- è true, è false e è -1, è false e è POST o PUT.-oppure- dispone di un corpo dell'entità ma il metodo viene chiamato senza chiamare il metodo . -oppure- è maggiore di zero, ma l'applicazione non scrive tutti i dati promessi.
+
+ è stato chiamato precedentemente.
+
+
+
+
+
+
+
+
+
+
+ Ottiene o imposta il valore dell'intestazione HTTP Content-type.
+ Valore dell'intestazione HTTP Content-type.Il valore predefinito è null.
+
+
+ Ottiene o imposta un valore di timeout in millisecondi di attesa dopo la ricezione di 100-Continue dal server.
+ Valore di timeout in millisecondi di attesa dopo la ricezione di 100-Continue dal server.
+
+
+ Ottiene o imposta i cookie associati alla richiesta.
+ Oggetto contenente i cookie associati a questa richiesta.
+
+
+ Ottiene o imposta le informazioni sull'autenticazione per la richiesta.
+ Oggetto contenente le credenziali di autenticazione associate alla richiesta.Il valore predefinito è null.
+
+
+
+
+
+ Termina una richiesta asincrona per un oggetto da usare per la scrittura dei dati.
+ Oggetto da usare per scrivere i dati della richiesta.
+ Richiesta in sospeso per un flusso.
+
+ è null.
+ La richiesta non è stata completata e nessun flusso è disponibile.
+
+ non è stato restituito dall'istanza corrente da una chiamata a .
+ Il metodo è stato chiamato in precedenza utilizzando .
+
+ è stato chiamato precedentemente.-oppure- Si è verificato un errore durante l'elaborazione della richiesta.
+
+
+
+
+
+
+
+ Termina una richiesta asincrona a una risorsa Internet.
+ Oggetto contenente la risposta dalla risorsa Internet.
+ La richiesta in sospeso per una risposta.
+
+ è null.
+ Il metodo è stato chiamato in precedenza utilizzando .-oppure- La proprietà è maggiore di 0 ma i dati non sono stati scritti nel flusso di richiesta.
+
+ è stato chiamato precedentemente.-oppure- Si è verificato un errore durante l'elaborazione della richiesta.
+
+ non è stato restituito dall'istanza corrente da una chiamata a .
+
+
+
+
+
+
+
+ Ottiene un valore che indica se una risposta è stata ricevuta da una risorsa Internet.
+ true se è stata ricevuta una risposta; in caso contrario, false.
+
+
+ Specifica una raccolta delle coppie nome/valore che compongono le intestazioni HTTP.
+ Oggetto contenente le coppie nome/valore che compongono le intestazioni della richiesta HTTP.
+ La richiesta è stata avviata chiamando il metodo , , o .
+
+
+
+
+
+ Ottiene o imposta il metodo per la richiesta.
+ Il metodo di richiesta da usare per contattare la risorsa Internet.Il valore predefinito è GET.
+ Non viene fornito alcun metodo.-oppure- La stringa del metodo contiene caratteri non validi.
+
+
+ Ottiene l'URI originale della richiesta.
+ Oggetto contenente l'URI della risorsa Internet passata al metodo .
+
+
+ Ottiene un valore che indica se la richiesta fornisce supporto per un oggetto .
+ trueSe la richiesta fornisce il supporto per un ; in caso contrario, false.true se un oggetto è supportato; in caso contrario, false.
+
+
+ Ottiene o imposta un valore che controlla se le credenziali predefinite sono inviate con le richieste.
+ true se vengono usate le credenziali predefinite; in caso contrario, false.Il valore predefinito è false.
+ Tentativo di impostare questa proprietà dopo l'invio della richiesta.
+
+
+
+
+
+ Fornisce un'implementazione specifica di HTTP della classe .
+
+
+ Ottiene la lunghezza del contenuto restituito dalla richiesta.
+ Numero di byte restituito dalla richiesta.La lunghezza del contenuto non include le informazioni dell'intestazione.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene il tipo di contenuto della risposta.
+ Stringa in cui è presente il tipo di contenuto della risposta.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene o imposta i cookie associati a questa risposta.
+ Oggetto in cui sono contenuti i cookie associati a questa risposta.
+ L'istanza corrente è stata eliminata.
+
+
+ Rilascia le risorse non gestite usate da e, facoltativamente, elimina le risorse gestite.
+ true per rilasciare sia le risorse gestite sia quelle non gestite; false per rilasciare solo le risorse non gestite.
+
+
+ Ottiene il flusso usato per la lettura del corpo della risposta dal server.
+ Oggetto contenente il corpo della risposta.
+ Nessun flusso di risposta.
+ L'istanza corrente è stata eliminata.
+
+
+
+
+
+
+
+ Ottiene le intestazioni associate a questa risposta dal server.
+ Oggetto in cui sono contenute le informazioni di intestazione restituite con la risposta.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene il metodo usato per restituire la risposta.
+ Stringa in cui è contenuto il metodo HTTP usato per restituire la risposta.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene l'URI della risorsa Internet che ha risposto alla richiesta.
+ Oggetto che contiene l'URI della risorsa Internet che ha risposto alla richiesta.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene lo stato della risposta.
+ Uno dei valori di .
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene la descrizione dello stato restituita con la risposta.
+ Stringa in cui è descritto lo stato della risposta.
+ L'istanza corrente è stata eliminata.
+
+
+ Ottiene un valore che indica se sono supportate le intestazioni.
+ Restituisce .true se le intestazioni sono supportate; in caso contrario, false.
+
+
+ Fornisce l'interfaccia di base per la creazione di istanze di .
+
+
+ Crea un'istanza di .
+ Istanza di .
+ L'Uniform Resource Identifier (URI) della risorsa Web.
+ Lo schema di richiesta specificato in non è supportato da questa istanza .
+
+ è null.
+ Nell'API.NET per le applicazioni Windows o nella Libreria di classi portabile, rilevare piuttosto l'eccezione della classe di base .L'URI specificato in non è valido.
+
+
+ L'eccezione generata quando si verifica un errore durante l'utilizzo di un protocollo di rete.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe con il messaggio specificato.
+ La stringa del messaggio di errore
+
+
+ L'eccezione generata quando si verifica un errore durante l'accesso alla rete tramite un protocollo pluggable.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe con il messaggio di errore specificato.
+ Il testo del messaggio di errore,
+
+
+ Inizializza una nuova istanza della classe con il messaggio di errore e l'eccezione annidata specificati.
+ Il testo del messaggio di errore,
+ Un'eccezione annidata.
+
+
+ Inizializza una nuova istanza della classe con il messaggio di errore, l'eccezione annidata, lo stato e la risposta specificati.
+ Il testo del messaggio di errore,
+ Un'eccezione annidata.
+ Uno dei valori della classe .
+ Istanza di contenente la risposta dall'host remoto.
+
+
+ Inizializza una nuova istanza della classe con il messaggio di errore e lo stato specificati.
+ Il testo del messaggio di errore,
+ Uno dei valori della classe .
+
+
+ Recupera la risposta restituita dall'host remoto.
+ Se una risposta è disponibile dalla risorsa Internet, un'istanza di contenente la risposta di errore da una risorsa Internet; in caso contrario, null.
+
+
+ Ottiene lo stato della risposta.
+ Uno dei valori della classe .
+
+
+ Definisce i codici di stato per la classe .
+
+
+ Non è stato possibile contattare il punto di servizio remoto a livello di trasporto.
+
+
+ È stato ricevuto un messaggio che ha superato il limite specificato durante l'invio di una richiesta o durante la ricezione di una risposta dal server.
+
+
+ Una richiesta asincrona interna è in sospeso.
+
+
+ La richiesta è stata annullata, il metodo è stato chiamato o si è verificato un errore non classificabile.Questo è il valore predefinito per .
+
+
+ Non è stato possibile inviare una richiesta completa al server remoto.
+
+
+ Non si è verificato alcun errore.
+
+
+ Si è verificata un'eccezione di tipo sconosciuto.
+
+
+ Esegue una richiesta a un URI (Uniform Resource Identifier).Questa è una classe abstract.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Interrompe la richiesta.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe discendente, fornisce una versione asincrona del metodo .
+ Oggetto che fa riferimento alla richiesta asincrona.
+ Delegato .
+ Oggetto contenente le informazioni di stato per la richiesta asincrona.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, avvia una richiesta asincrona per una risorsa Internet.
+ Oggetto che fa riferimento alla richiesta asincrona.
+ Delegato .
+ Oggetto contenente le informazioni di stato per la richiesta asincrona.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta il tipo di contenuto dei dati inviati per la richiesta.
+ Tipo di contenuto dei dati della richiesta.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Inizializza una nuova istanza di per lo schema URI specificato.
+ Oggetto discendente per lo schema URI specificato.
+ URI che identifica la risorsa Internet.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ Inizializza una nuova istanza di per lo schema URI specificato.
+ Oggetto discendente per lo schema URI specificato.
+ Oggetto contenente l'URI della risorsa richiesta.
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ Inizializza una nuova istanza di per la stinga URI specificata.
+ Restituisce .Istanza di per la stringa URI specifica.
+ Stringa URI che identifica la risorsa Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Inizializza una nuova istanza di per l'URI specificato.
+ Restituisce .Istanza di per la stringa URI specifica.
+ URI che identifica la risorsa Internet.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta le credenziali di rete usate per l'autenticazione della richiesta con la risorsa Internet.
+ Oggetto che contiene le credenziali di autenticazione associate alla richiesta.Il valore predefinito è null.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Ottiene o imposta il proxy HTTP globale.
+ Oggetto usato da ogni chiamata alle istanze di .
+
+
+ Quando ne viene eseguito l'override in una classe discendente, restituisce un oggetto per la scrittura di dati nella risorsa Internet.
+ Oggetto in cui scrivere i dati.
+ Oggetto che fa riferimento a una richiesta in sospeso di un flusso.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, restituisce un oggetto .
+ Oggetto contenente una risposta alla richiesta Internet.
+ Oggetto che fa riferimento a una richiesta in sospeso di una risposta.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, restituisce un oggetto per la scrittura dei dati nella risorse Internet come operazione asincrona.
+ Restituisce .Oggetto dell'attività che rappresenta l'operazione asincrona.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, restituisce una risposta a una richiesta Internet come operazione asincrona.
+ Restituisce .Oggetto dell'attività che rappresenta l'operazione asincrona.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta la raccolta di coppie nome/valore di intestazione associate alla richiesta.
+ Oggetto che contiene le coppie nome/valore di intestazione associate alla richiesta.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta il metodo di protocollo da usare nella richiesta.
+ Metodo di protocollo da usare nella richiesta.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta il proxy di rete per accedere alla risorsa Internet.
+ Oggetto da usare per accedere alla risorsa Internet.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Registra un oggetto discendente per l'URI specificato.
+ true se la registrazione viene eseguita correttamente; in caso contrario, false.
+ URI completo o prefisso URI gestito dal discendente .
+ Metodo di creazione chiamato da per creare il discendente .
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene l'URI della risorsa Internet associata alla richiesta.
+ Oggetto che rappresenta la risorsa associata alla richiesta.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta un valore che controlla se vengono inviate proprietà con le richieste.
+ true se vengono usate le credenziali predefinite; in caso contrario, false.Il valore predefinito è false.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Fornisce una risposta da un Uniform Resource Identifier (URI).Questa è una classe abstract.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Quando ne viene eseguito l'override in una classe discendente, ottiene o imposta la lunghezza del contenuto dei dati ricevuti.
+ Numero dei byte restituiti dalla risorsa Internet.
+ Viene eseguito un tentativo per ottenere o impostare la proprietà quando quest'ultima non è sottoposta a override in una classe discendente.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe derivata, ottiene o imposta il tipo del contenuto dei dati ricevuti.
+ Stringa in cui è presente il tipo di contenuto della risposta.
+ Viene eseguito un tentativo per ottenere o impostare la proprietà quando quest'ultima non è sottoposta a override in una classe discendente.
+
+
+
+
+
+ Rilascia le risorse non gestite usate dall'oggetto .
+
+
+ Rilascia le risorse non gestite usate dall'oggetto ed eventualmente elimina le risorse gestite.
+ true per rilasciare sia le risorse gestite sia quelle non gestite; false per rilasciare solo le risorse non gestite.
+
+
+ Quando ne viene eseguito l'override in una classe discendente, restituisce il flusso di dati dalla risorsa Internet.
+ Istanza della classe per la lettura dei dati dalla risorsa Internet.
+ Viene eseguito un tentativo di accedere al metodo quando quest'ultimo non è sottoposto a override in una classe discendente.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe derivata, ottiene una raccolta di coppie nome/valore di intestazione associate alla richiesta.
+ Istanza della classe in cui sono contenuti i valori di intestazione associati alla risposta.
+ Viene eseguito un tentativo per ottenere o impostare la proprietà quando quest'ultima non è sottoposta a override in una classe discendente.
+
+
+
+
+
+ Quando ne viene eseguito l'override in una classe derivata, ottiene l'URI della risorsa Internet che ha effettivamente risposto alla richiesta.
+ Istanza della classe contenente l'URI della risorsa Internet che ha effettivamente risposto alla richiesta.
+ Viene eseguito un tentativo per ottenere o impostare la proprietà quando quest'ultima non è sottoposta a override in una classe discendente.
+
+
+
+
+
+ Ottiene un valore che indica se sono supportate le intestazioni.
+ Restituisce .true se le intestazioni sono supportate; in caso contrario, false.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/ja/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/ja/System.Net.Requests.xml
new file mode 100644
index 0000000..717b2e6
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/ja/System.Net.Requests.xml
@@ -0,0 +1,559 @@
+
+
+
+ System.Net.Requests
+
+
+
+
+ クラスの HTTP 固有の実装を提供します。
+
+
+ インターネット リソースへの要求を取り消します。
+
+
+
+
+
+
+
+ Accept HTTP ヘッダーの値を取得または設定します。
+ Accept HTTP ヘッダーの値。既定値は null です。
+
+
+ インターネット リソースから受け取ったデータをバッファリングするかどうかを示す値を取得または設定します。
+ trueインターネット リソースから受信されたバッファーに格納するにはそれ以外の場合、falseです。インターネット リソースから受信したデータのバッファリングを有効にする場合は true。バッファリングを無効にする場合は false。既定値は、true です。
+
+
+ データを書き込むために使用する オブジェクトの非同期要求を開始します。
+ 非同期の要求を参照する 。
+
+ デリゲート。
+ この要求に対して使用する状態オブジェクト。
+
+ プロパティが GET または HEAD です。または は true で、 は false で、 は -1 で、 は false で、 は POST または PUT です。
+ ストリームが、 の前回の呼び出しで使用されています。または に値が設定され、 が false です。またはスレッド プールのスレッドが不足しています。
+ 要求のキャッシュ検証コントロールで、この要求の応答がキャッシュから取得できることが示されましたが、データの書き込みを行う要求でキャッシュは使用できません。この例外は、キャッシュ検証コントロールの不適切なカスタム実装を使用した場合に発生することがあります。
+
+ は既に呼び出されました。
+ .NET Compact Framework アプリケーションで、コンテンツ長が 0 の要求ストリームは取得されず、適切に閉じられました。コンテンツ長が 0 の要求の処理の詳細については、「Network Programming in the .NET Compact Framework」を参照してください。
+
+
+
+
+
+
+
+
+
+
+ インターネット リソースへの非同期要求を開始します。
+ 非同期要求の応答を参照する 。
+
+ デリゲート
+ この要求に対して使用する状態オブジェクト。
+ ストリームが、既に の前回の呼び出しで使用されています。または に値が設定され、 が false です。またはスレッド プールのスレッドが不足しています。
+
+ が GET または HEAD で、 が 0 より大きいか、 が true です。または は true で、 は false です。また、 は -1、 は false、 は POST または PUT です。または にはエンティティ本体がありますが、 メソッドを呼び出さずに、 メソッドが呼び出されます。または が 0 より大きいが、アプリケーションが約束されたすべてのデータを書き込むようになっていません。
+
+ は既に呼び出されました。
+
+
+
+
+
+
+
+
+
+
+ Content-type HTTP ヘッダーの値を取得または設定します。
+ Content-type HTTP ヘッダーの値。既定値は null です。
+
+
+ 100 回の続行まで待機するミリ秒単位のタイムアウト値をサーバーから取得または設定します。
+ 100 回の続行まで待機するミリ秒単位のタイムアウト値。
+
+
+ 要求に関連付けられているクッキーを取得または設定します。
+ この要求に関連付けられているクッキーを格納している 。
+
+
+ 要求に対して使用する認証情報を取得または設定します。
+ 要求と関連付けられた認証資格情報を格納する 。既定値は、null です。
+
+
+
+
+
+ データを書き込むために使用する オブジェクトの非同期要求を終了します。
+ 要求データを書き込むために使用する 。
+ ストリームの保留中の要求。
+
+ は null です。
+ 要求が完了しませんでした。また、ストリームは使用できません。
+ 現在のインスタンスによって、 への呼び出しから が返されませんでした。
+ このメソッドは、 を使用して既に呼び出されています。
+
+ は既に呼び出されました。または要求の処理中にエラーが発生しました。
+
+
+
+
+
+
+
+ インターネット リソースへの非同期要求を終了します。
+ インターネット リソースからの応答を格納している 。
+ 応答の保留中の要求。
+
+ は null です。
+ このメソッドは、 を使用して既に呼び出されています。または プロパティが 0 を超えていますが、データが要求ストリームに書き込まれていません。
+
+ は既に呼び出されました。または要求の処理中にエラーが発生しました。
+
+ was not returned by the current instance from a call to .
+
+
+
+
+
+
+
+ インターネット リソースから応答が受信されたかどうかを示す値を取得します。
+ 応答を受信した場合は true。それ以外の場合は false。
+
+
+ HTTP ヘッダーを構成する名前と値のペアのコレクションを指定します。
+ HTTP 要求のヘッダーを構成する名前と値のペアを格納している 。
+ 要求が 、、、または の各メソッドの呼び出しによって開始されました。
+
+
+
+
+
+ 要求に対して使用するメソッドを取得または設定します。
+ インターネット リソースと通信するために使用する要求メソッド。既定値は GET です。
+ メソッドが指定されていません。またはメソッドの文字列に無効な文字が含まれています。
+
+
+ 要求の元の URI (Uniform Resource Identifier) を取得します。
+
+ メソッドに渡されたインターネット リソースの URI を格納している 。
+
+
+ 要求が をサポートするかどうかを示す値を取得します。
+ true要求のサポートを提供する場合、です。それ以外の場合、falseです。true if a is supported; otherwise, false.
+
+
+ 既定の資格情報が要求と共に送信されるかどうかを制御する 値を取得または設定します。
+ 既定の資格情報を使用する場合は true。それ以外の場合は false。既定値は false です。
+ 要求が送信された後で、このプロパティを設定しようとしました。
+
+
+
+
+
+
+ クラスの HTTP 固有の実装を提供します。
+
+
+ 要求で返されるコンテンツ長を取得します。
+ 要求で返されるバイト数。コンテンツ長には、ヘッダー情報は含まれません。
+ 現在のインスタンスは破棄されています。
+
+
+ 応答のコンテンツ タイプを取得します。
+ 応答のコンテンツ タイプを格納する文字列。
+ 現在のインスタンスは破棄されています。
+
+
+ この応答に関連付けられているクッキーを取得または設定します。
+ この要求に関連付けられているクッキーを格納する 。
+ 現在のインスタンスは破棄されています。
+
+
+
+ が使用しているアンマネージ リソースを解放します。オプションでマネージ リソースも破棄します。
+ マネージ リソースとアンマネージ リソースの両方を解放する場合は true。アンマネージ リソースだけを解放する場合は false。
+
+
+ サーバーから応答の本文を読み取るために使用するストリームを取得します。
+ 応答の本文を格納している 。
+ 応答ストリームがありません。
+ 現在のインスタンスは破棄されています。
+
+
+
+
+
+
+
+ 応答に関連付けられているヘッダーをサーバーから取得します。
+ 応答で返されるヘッダー情報を格納する 。
+ 現在のインスタンスは破棄されています。
+
+
+ 応答を返すために使用するメソッドを取得します。
+ 応答を返すために使用する HTTP メソッドを格納する文字列。
+ 現在のインスタンスは破棄されています。
+
+
+ 要求に応答したインターネット リソースの URI を取得します。
+ 要求に応答したインターネット リソースの URI を格納する 。
+ 現在のインスタンスは破棄されています。
+
+
+ 応答のステータスを取得します。
+
+ 値の 1 つ。
+ 現在のインスタンスは破棄されています。
+
+
+ 応答で返されるステータス記述を取得します。
+ 応答のステータスを記述する文字列。
+ 現在のインスタンスは破棄されています。
+
+
+ ヘッダーがサポートされているかどうかを示す値を取得します。
+
+ を返します。ヘッダーがサポートされる場合は true。それ以外の場合は false。
+
+
+
+ インスタンスを作成するための基本インターフェイスを提供します。
+
+
+
+ インスタンスを作成します。
+
+ のインスタンス。
+ Web リソースの URI。
+
+ で指定された要求スキームは、この インスタンスではサポートされません。
+
+ は null なので、
+ Windows ストア アプリのための .NET または汎用性のあるクラス ライブラリで、基本クラスの例外 を代わりにキャッチします。 で指定された URI が有効な URI ではありません。
+
+
+ ネットワーク プロトコルの使用中にエラーが発生した場合にスローされる例外。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ 指定したメッセージを使用して、 クラスの新しいインスタンスを初期化します。
+ エラー メッセージ文字列。
+
+
+ プラグ可能プロトコルによるネットワークへのアクセスでエラーが発生した場合にスローされる例外。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを、指定したエラー メッセージを使用して初期化します。
+ エラー メッセージのテキスト。
+
+
+
+ クラスの新しいインスタンスを、指定したエラー メッセージと入れ子になった例外を使用して初期化します。
+ エラー メッセージのテキスト。
+ 入れ子になった例外。
+
+
+
+ クラスの新しいインスタンスを、指定したエラー メッセージ、入れ子になった例外、ステータス、および応答を使用して初期化します。
+ エラー メッセージのテキスト。
+ 入れ子になった例外。
+
+ 値の 1 つ。
+ リモート ホストからの応答を格納する インスタンス。
+
+
+
+ クラスの新しいインスタンスを、指定したエラー メッセージとステータスを使用して初期化します。
+ エラー メッセージのテキスト。
+
+ 値の 1 つ。
+
+
+ リモート ホストが返す応答を取得します。
+ インターネット リソースから応答がある場合は、インターネット リソースからのエラー応答を格納した インスタンス。それ以外の場合は null。
+
+
+ 応答のステータスを取得します。
+
+ 値の 1 つ。
+
+
+
+ クラスのステータス コードを定義します。
+
+
+ トランスポート レベルで、リモート サービス ポイントと通信できませんでした。
+
+
+ サーバーに要求を送信、またはサーバーからの応答を受信しているときに、制限長を超えるメッセージが渡されました。
+
+
+ 内部非同期要求が保留中です。
+
+
+ 要求が取り消されたか、 メソッドが呼び出されたか、または分類できないエラーが発生しました。これは、 の既定値です。
+
+
+ 完全な要求をリモート サーバーに送信できませんでした。
+
+
+ エラーは発生しませんでした。
+
+
+ 未知の種類の例外が発生しました。
+
+
+ Uniform Resource Identifier (URI) に対する要求を実行します。これは abstract クラスです。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ 要求を中止します。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ 派生クラスでオーバーライドされると、 メソッドの非同期バージョンを提供します。
+ 非同期の要求を参照する 。
+
+ デリゲート。
+ 非同期要求の状態情報を格納するオブジェクト。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースの非同期要求を開始します。
+ 非同期の要求を参照する 。
+
+ デリゲート。
+ 非同期要求の状態情報を格納するオブジェクト。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 派生クラスでオーバーライドされると、送信している要求データのコンテンツ タイプを取得または設定します。
+ 要求データのコンテンツ タイプ。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 指定した URI スキーム用に新しい のインスタンスを初期化します。
+ 特定の URI スキーム用の 派生クラス。
+ インターネット リソースを識別する URI。
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ 指定した URI スキーム用に新しい のインスタンスを初期化します。
+ 指定した URI スキーム用の 派生クラス。
+ 要求されたリソースの URI を格納する 。
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ 指定した URI 文字列用に新しい インスタンスを初期化します。
+
+ を返します。指定した URI 文字列の インスタンス。
+ インターネット リソースを識別する URI 文字列。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 指定した URI 用に新しい インスタンスを初期化します。
+
+ を返します。指定した URI 文字列の インスタンス。
+ インターネット リソースを識別する URI。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースを使用して要求を認証するために使用されるネットワーク資格情報を取得または設定します。
+ 要求に関連付けられた認証資格情報を格納する 。既定値は、null です。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ グローバル HTTP プロキシを取得または設定します。
+
+ のインスタンスへのすべての呼び出しで使用される 。
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースにデータを書き込むための を返します。
+ データを書き込む 。
+ ストリームの保留中の要求を参照する 。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 派生クラスでオーバーライドされると、 を返します。
+ インターネット要求への応答を格納する 。
+ 応答に対する保留中の要求を参照する 。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースへのデータ書き込みの を非同期操作として返します。
+
+ を返します。非同期操作を表すタスク オブジェクト。
+
+
+ 派生クラスでオーバーライドされると、インターネット要求への応答を非同期操作として返します。
+
+ を返します。非同期操作を表すタスク オブジェクト。
+
+
+ 派生クラスでオーバーライドされると、要求に関連付けられたヘッダーの名前/値ペアのコレクションを取得または設定します。
+ 要求に関連付けられたヘッダーの名前/値ペアを格納する 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 派生クラスでオーバーライドされると、要求で使用するプロトコル メソッドを取得または設定します。
+ 要求で使用するプロトコル メソッド。
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースにアクセスするために使用するネットワーク プロキシを取得または設定します。
+ インターネット リソースにアクセスするために使用する 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 指定した URI 用の 派生クラスを登録します。
+ 登録が成功した場合は true。それ以外の場合は false。
+
+ 派生クラスが処理する完全な URI または URI プレフィックス。
+
+ が 派生クラスを作成するために呼び出す作成メソッド。
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ 派生クラスでオーバーライドされると、要求に関連付けられたインターネット リソースの URI を取得します。
+ 要求に関連付けられているリソースを表す 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 派生クラスでオーバーライドされる場合、 が要求と共に送信されるかどうかを制御する 値を取得または設定します。
+ 既定の資格情報を使用する場合は true。それ以外の場合は false。既定値は false です。
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ URI (Uniform Resource Identifier) からの応答を利用できるようにします。これは abstract クラスです。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ 派生クラスでオーバーライドされると、受信しているデータのコンテンツ長を取得または設定します。
+ インターネット リソースから返されるバイト数。
+ プロパティが派生クラスでオーバーライドされていないのに、そのプロパティの取得または設定が試行されました。
+
+
+
+
+
+ 派生クラスでオーバーライドされると、受信しているデータのコンテンツ タイプを取得または設定します。
+ 応答のコンテンツ タイプを格納する文字列。
+ プロパティが派生クラスでオーバーライドされていないのに、そのプロパティの取得または設定が試行されました。
+
+
+
+
+
+
+ オブジェクトによって使用されているアンマネージ リソースを解放します。
+
+
+
+ オブジェクトによって使用されているアンマネージ リソースを解放します。オプションとして、マネージ リソースを破棄することもできます。
+ マネージ リソースとアンマネージ リソースの両方を解放する場合は true。アンマネージ リソースだけを解放する場合は false。
+
+
+ 派生クラスでオーバーライドされると、インターネット リソースからデータ ストリームを返します。
+ インターネット リソースからデータを読み取るための クラスのインスタンス。
+ メソッドが派生クラスでオーバーライドされていないのに、そのメソッドへのアクセスが試行されました。
+
+
+
+
+
+ 派生クラスでオーバーライドされると、この要求に関連付けられたヘッダーの名前と値のペアのコレクションを取得します。
+ この応答に関連付けられているヘッダーの値を格納している クラスのインスタンス。
+ プロパティが派生クラスでオーバーライドされていないのに、そのプロパティの取得または設定が試行されました。
+
+
+
+
+
+ 派生クラスでオーバーライドされると、要求に実際に応答したインターネット リソースの URI を取得します。
+ 要求に実際に応答したインターネット リソースの URI を格納する クラスのインスタンス。
+ プロパティが派生クラスでオーバーライドされていないのに、そのプロパティの取得または設定が試行されました。
+
+
+
+
+
+ ヘッダーがサポートされているかどうかを示す値を取得します。
+
+ を返します。ヘッダーがサポートされる場合は true。それ以外の場合は false。
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/ko/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/ko/System.Net.Requests.xml
new file mode 100644
index 0000000..7fd3462
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/ko/System.Net.Requests.xml
@@ -0,0 +1,556 @@
+
+
+
+ System.Net.Requests
+
+
+
+
+ 클래스의 HTTP 관련 구현을 제공합니다.
+
+
+ 인터넷 리소스에 대한 요청을 취소합니다.
+
+
+
+
+
+
+
+ Accept HTTP 헤더의 값을 가져오거나 설정합니다.
+ Accept HTTP 헤더의 값입니다.기본값은 null입니다.
+
+
+ 인터넷 리소스에서 받은 데이터를 버퍼링할지 여부를 나타내는 값을 가져오거나 설정합니다.
+ true인터넷 리소스에서 받은 버퍼에 그렇지 않은 경우 false.인터넷 리소스에서 받은 데이터를 버퍼링하려면 true이고, 버퍼링하지 않으려면 false입니다.기본값은 true입니다.
+
+
+ 데이터를 쓰는 데 사용할 개체에 대한 비동기 요청을 시작합니다.
+ 비동기 요청을 참조하는 입니다.
+
+ 대리자입니다.
+ 이 요청에 대한 상태 개체입니다.
+
+ 속성이 GET 또는 HEAD인 경우또는 가 true이고, 이 false이고, 가 -1이고, 가 false이고, 가 POST 또는 PUT인 경우
+ 스트림이 에 대한 이전 호출에서 사용되고 있는 경우또는 이 값으로 설정되고 가 false인 경우또는 스레드 풀의 스레드를 모두 사용한 경우
+ 요청 캐시 유효성 검사기에서 이 요청에 대한 응답이 캐시에서 제공될 수 있지만 데이터를 쓰는 요청의 경우 캐시를 사용하지 않아야 함을 나타내는 경우.이 예외는 제대로 구현되지 않은 사용자 지정 캐시 유효성 검사기를 사용하려는 경우에 발생할 수 있습니다.
+
+ 를 이미 호출한 경우
+ .NET Compact Framework 응용 프로그램에서 콘텐츠 길이가 0인 요청 스트림을 올바르게 가져오고 닫지 않은 경우.콘텐츠 길이가 0인 요청을 처리하는 방법에 대한 자세한 내용은 Network Programming in the .NET Compact Framework을 참조하십시오.
+
+
+
+
+
+
+
+
+
+
+ 인터넷 리소스에 대한 비동기 요청을 시작합니다.
+ 응답에 대한 비동기 요청을 참조하는 입니다.
+
+ 대리자
+ 이 요청에 대한 상태 개체입니다.
+ 스트림이 에 대한 이전 호출에서 사용되고 있는 경우또는 이 값으로 설정되고 가 false인 경우또는 스레드 풀의 스레드를 모두 사용한 경우
+
+ 가 GET 또는 HEAD이고, 가 0보다 크거나 가 true인 경우또는 가 true이고, 이 false이고, 가 -1이고, 가 false이고, 가 POST 또는 PUT인 경우또는 에는 엔터티 본문이 있지만 메서드는 메서드를 호출하지 않고 호출됩니다. 또는 는 0보다 크지만 응용 프로그램은 약속된 모든 데이터를 쓰지 않습니다.
+
+ 를 이미 호출한 경우
+
+
+
+
+
+
+
+
+
+
+ Content-type HTTP 헤더의 값을 가져오거나 설정합니다.
+ Content-type HTTP 헤더의 값입니다.기본값은 null입니다.
+
+
+ 서버에서 100-Continue가 수신될 때까지 기다릴 제한 시간(밀리초)을 가져오거나 설정합니다.
+ 100-Continue가 수신될 때까지 기다릴 제한 시간(밀리초)입니다.
+
+
+ 이 요청과 관련된 쿠키를 가져오거나 설정합니다.
+ 이 요청과 관련된 쿠키가 들어 있는 입니다.
+
+
+ 요청에 대한 인증 정보를 가져오거나 설정합니다.
+ 요청과 관련된 인증 자격 증명이 들어 있는 입니다.기본값은 null입니다.
+
+
+
+
+
+ 데이터를 쓰는 데 사용할 개체에 대한 비동기 요청을 끝냅니다.
+ 요청 데이터를 쓰는 데 사용할 입니다.
+ 스트림에 대한 보류 중인 요청입니다.
+
+ 가 null인 경우
+ 요청이 완료되지 않아서 스트림을 사용할 수 없는 경우
+ 현재 인스턴스에서 을 호출한 결과 가 반환되지 않은 경우
+ 이 메서드가 를 사용하여 이미 호출된 경우
+
+ 를 이미 호출한 경우또는 요청을 처리하는 동안 오류가 발생한 경우
+
+
+
+
+
+
+
+ 인터넷 리소스에 대한 비동기 요청을 종료합니다.
+ 인터넷 리소스로부터의 응답이 들어 있는 입니다.
+ 응답에 대해 보류된 요청입니다.
+
+ 가 null인 경우
+ 이 메서드가 를 사용하여 이미 호출되었습니다.또는 속성이 0보다 큰데 데이터를 요청 스트림에 쓰지 않은 경우
+
+ 를 이미 호출한 경우또는 요청을 처리하는 동안 오류가 발생한 경우
+
+ was not returned by the current instance from a call to .
+
+
+
+
+
+
+
+ 인터넷 리소스로부터 응답을 받았는지 여부를 나타내는 값을 가져옵니다.
+ 응답을 받았으면 true이고, 그렇지 않으면 false입니다.
+
+
+ HTTP 헤더를 구성하는 이름/값 쌍의 컬렉션을 지정합니다.
+ HTTP 요청의 헤더를 구성하는 이름/값 쌍이 들어 있는 입니다.
+
+ , , 또는 메서드를 호출하여 요청이 시작된 경우
+
+
+
+
+
+ 요청에 대한 메서드를 가져오거나 설정합니다.
+ 인터넷 리소스에 접속하는 데 사용할 요청 메서드입니다.기본값은 GET입니다.
+ 메서드를 지정하지 않은 경우또는 메서드 문자열에 잘못된 문자가 들어 있는 경우
+
+
+ 요청의 원래 URI(Uniform Resource Identifier)를 가져옵니다.
+
+ 메서드에 전달된 인터넷 리소스의 URI가 들어 있는 입니다.
+
+
+ 요청이 를 지원하는지 여부를 나타내는 값을 가져옵니다.
+ true요청에 대 한 지원을 제공 하는 경우는 ; 그렇지 않은 경우 false.가 지원되면 true이고, 그렇지 않으면 false입니다.
+
+
+ 기본 자격 증명을 요청과 함께 보내는지 여부를 제어하는 값을 가져오거나 설정합니다.
+ 기본 자격 증명이 사용되면 true이고, 그렇지 않으면 false입니다.기본값은 false입니다.
+ 요청을 보낸 후에 이 속성을 설정하려고 한 경우
+
+
+
+
+
+
+ 클래스의 HTTP 관련 구현을 제공합니다.
+
+
+ 요청이 반환하는 콘텐츠의 길이를 가져옵니다.
+ 요청이 반환한 바이트 수입니다.콘텐츠 길이에는 헤더 정보가 포함되지 않습니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 응답의 콘텐츠 형식을 가져옵니다.
+ 응답의 콘텐츠 형식이 들어 있는 문자열입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 이 응답과 관련된 쿠키를 가져오거나 설정합니다.
+ 이 응답과 관련된 쿠키가 들어 있는 입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+
+ 에서 사용하는 관리되지 않는 리소스를 해제하고, 관리되는 리소스를 선택적으로 삭제할 수 있습니다.
+ 관리되는 리소스와 관리되지 않는 리소스를 모두 해제하려면 true, 관리되지 않는 리소스만 해제하려면 false입니다.
+
+
+ 서버에서 응답 본문을 읽는 데 사용되는 스트림을 가져옵니다.
+ 응답 본문을 포함하는 입니다.
+ 응답 스트림이 없는 경우
+ 현재 인스턴스가 삭제된 경우
+
+
+
+
+
+
+
+ 서버에서 이 응답과 관련된 헤더를 가져옵니다.
+ 응답과 함께 반환되는 헤더 정보를 포함하는 입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 응답을 반환하는 데 사용되는 메서드를 가져옵니다.
+ 응답을 반환하는 데 사용되는 HTTP 메서드를 포함하는 문자열입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 요청에 응답한 인터넷 리소스의 URI를 가져옵니다.
+ 요청에 응답한 인터넷 리소스의 URI를 포함하는 입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 응답 상태를 가져옵니다.
+
+ 값 중 하나입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 응답과 함께 반환되는 상태 설명을 가져옵니다.
+ 응답의 상태를 설명하는 문자열입니다.
+ 현재 인스턴스가 삭제된 경우
+
+
+ 헤더가 지원되는지 여부를 나타내는 값을 가져옵니다.
+
+ 를 반환합니다.헤더가 지원되면 true이고, 지원되지 않으면 false입니다.
+
+
+
+ 인스턴스를 만들기 위해 기본 인터페이스를 제공합니다.
+
+
+
+ 인스턴스를 만듭니다.
+
+ 인스턴스입니다.
+ 웹 리소스의 URI(Uniform Resource Identifier)입니다.
+
+ 에 지정된 요청 체계가 이 인스턴스에서 지원되지 않습니다.
+
+ 가 null입니다.
+ Windows 스토어 앱용 .NET 또는 이식 가능한 클래스 라이브러리에서 대신 기본 클래스 예외 를 catch합니다.에 지정된 URI가 유효하지 않은 경우
+
+
+ 네트워크 프로토콜을 사용하는 동안 오류가 발생하면 throw되는 예외입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 지정된 메시지를 사용하여 클래스의 새 인스턴스를 초기화합니다.
+ 오류 메시지 문자열입니다.
+
+
+ 플러그형 프로토콜로 네트워크에 액세스하는 동안 오류가 발생하면 throw되는 예외입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 지정된 오류 메시지를 사용하여 클래스의 새 인스턴스를 초기화합니다.
+ 오류 메시지 텍스트입니다.
+
+
+ 지정된 오류 메시지와 중첩된 예외를 사용하여 클래스의 새 인스턴스를 초기화합니다.
+ 오류 메시지 텍스트입니다.
+ 중첩된 예외입니다.
+
+
+ 지정된 오류 메시지, 중첩된 예외, 상태 및 응답을 사용하여 클래스의 새 인스턴스를 초기화합니다.
+ 오류 메시지 텍스트입니다.
+ 중첩된 예외입니다.
+
+ 값 중 하나입니다.
+ 원격 호스트에서 보낸 응답이 들어 있는 인스턴스입니다.
+
+
+ 지정된 오류 메시지와 상태를 사용하여 클래스의 새 인스턴스를 초기화합니다.
+ 오류 메시지 텍스트입니다.
+
+ 값 중 하나입니다.
+
+
+ 원격 호스트에서 반환된 응답을 가져옵니다.
+ 인터넷 리소스에서 응답을 가져올 수 있으면 인터넷 리소스의 오류 응답이 포함된 인스턴스이고, 그렇지 않으면 null입니다.
+
+
+ 응답 상태를 가져옵니다.
+
+ 값 중 하나입니다.
+
+
+
+ 클래스에 대한 상태 코드를 정의합니다.
+
+
+ 전송 수준에서 원격 서비스 지점에 접속할 수 없습니다.
+
+
+ 서버에 요청을 보내거나 서버에서 응답을 받을 때 지정된 제한 시간을 초과했다는 메시지를 받았습니다.
+
+
+ 내부 비동기 요청이 보류 중입니다.
+
+
+ 요청이 취소되었거나, 메서드가 호출되었거나, 알 수 없는 오류가 발생했습니다.의 기본값입니다.
+
+
+ 원격 서버에 전체 요청을 보낼 수 없습니다.
+
+
+ 오류가 발생하지 않았습니다.
+
+
+ 알 수 없는 유형의 예외가 발생했습니다.
+
+
+ URI(Uniform Resource Identifier)에 대한 요청을 만듭니다.이 클래스는 abstract 클래스입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 요청을 중단합니다.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ 서브클래스에서 재정의될 때, 메서드의 비동기 버전을 제공합니다.
+ 비동기 요청을 참조하는 입니다.
+
+ 대리자입니다.
+ 이 비동기 요청에 대한 상태 정보가 들어 있는 개체입니다.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 하위 항목 클래스에서 재정의될 때, 인터넷 리소스에 대한 비동기 요청을 시작합니다.
+ 비동기 요청을 참조하는 입니다.
+
+ 대리자입니다.
+ 이 비동기 요청에 대한 상태 정보가 들어 있는 개체입니다.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 하위 항목 클래스에서 재정의될 때, 전송 중인 요청 데이터의 콘텐츠 형식을 가져오거나 설정합니다.
+ 요청 데이터의 콘텐츠 형식입니다.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 지정된 URI 체계에 대한 새 인스턴스를 초기화합니다.
+ 특정 URI 체계에 대한 하위 항목입니다.
+ 인터넷 리소스를 식별하는 URI입니다.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ 지정된 URI 체계에 대한 새 인스턴스를 초기화합니다.
+ 지정된 URI 체계에 대한 하위 항목입니다.
+ 요청된 리소스의 URI가 포함된 입니다.
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ 지정된 URI 문자열에 대한 새 인스턴스를 초기화합니다.
+
+ 를 반환합니다.지정된 URI 문자열에 대한 인스턴스입니다.
+ 인터넷 리소스를 식별하는 URI 문자열입니다.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 지정된 URI에 대한 새 인스턴스를 초기화합니다.
+
+ 를 반환합니다.지정된 URI 문자열에 대한 인스턴스입니다.
+ 인터넷 리소스를 식별하는 URI입니다.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 하위 항목 클래스에서 재정의될 때, 인터넷 리소스를 사용하여 요청을 인증하는 데 사용되는 네트워크 자격 증명을 가져오거나 설정합니다.
+ 요청과 연결된 인증 자격 증명이 들어 있는 입니다.기본값은 null입니다.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 글로벌 HTTP 프록시를 가져오거나 설정합니다.
+
+ 의 인스턴스를 호출할 때마다 사용되는 입니다.
+
+
+ 서브클래스에서 재정의될 때, 인터넷 리소스에 데이터를 쓰기 위해 을 반환합니다.
+ 데이터를 쓸 입니다.
+ 스트림에 대한 보류 요청을 참조하는 입니다.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 파생 클래스에서 재정의될 때, 를 반환합니다.
+ 인터넷 요청에 대한 응답을 포함하는 입니다.
+ 응답에 대한 보류 요청을 참조하는 입니다.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 서브클래스에서 재정의될 때, 인터넷 리소스에 비동기 작업으로 데이터를 쓰기 위해 을 반환합니다.
+
+ 를 반환합니다.비동기 작업(operation)을 나타내는 작업(task) 개체입니다.
+
+
+ 하위 항목 클래스에 재정의될 때, 인터넷 요청에 대한 응답을 비동기 작업으로 반환합니다.
+
+ 를 반환합니다.비동기 작업(operation)을 나타내는 작업(task) 개체입니다.
+
+
+ 하위 항목 클래스에서 재정의될 때, 요청과 연결된 헤더 이름/값 쌍의 컬렉션을 가져오거나 설정합니다.
+ 요청과 연결된 헤더 이름/값 쌍이 들어 있는 입니다.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 하위 항목 클래스에서 재정의될 때, 이 요청에서 사용할 프로토콜 메서드를 가져오거나 설정합니다.
+ 이 요청에서 사용할 프로토콜 메서드입니다.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ 하위 항목 클래스에서 재정의될 때, 이 인터넷 리소스에 액세스하기 위해 사용할 네트워크 프록시를 가져오거나 설정합니다.
+ 인터넷 리소스에 액세스하기 위해 사용할 입니다.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 지정된 URI에 대한 하위 항목을 등록합니다.
+ 등록이 성공하면 true이고, 그렇지 않으면 false입니다.
+
+ 하위 항목이 서비스하는 완전한 URI나 URI 접두사입니다.
+
+ 하위 항목을 만들기 위해 가 호출하는 생성 메서드입니다.
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ 하위 항목 클래스에서 재정의될 때, 요청과 연결된 인터넷 리소스의 URI를 가져옵니다.
+ 요청과 연결된 리소스를 나타내는 입니다.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 서브클래스에서 재정의된 경우 를 요청과 함께 보낼지 여부를 제어하는 값을 가져오거나 설정합니다.
+ 기본 자격 증명이 사용되면 true이고, 그렇지 않으면 false입니다.기본값은 false입니다.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ URI(Uniform Resource Identifier)에서 응답을 제공합니다.이 클래스는 abstract 클래스입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 서브클래스에서 재정의되는 경우 수신 중인 데이터의 콘텐츠 길이를 가져오거나 설정합니다.
+ 인터넷 리소스에서 반환된 바이트 수입니다.
+ 속성이 서브클래스에서 재정의되지 않았는데 속성을 가져오거나 설정하려 할 경우
+
+
+
+
+
+ 파생 클래스에서 재정의되는 경우 수신 중인 데이터의 콘텐츠 형식을 가져오거나 설정합니다.
+ 응답의 콘텐츠 형식이 들어 있는 문자열입니다.
+ 속성이 서브클래스에서 재정의되지 않았는데 속성을 가져오거나 설정하려 할 경우
+
+
+
+
+
+
+ 개체에서 사용하는 관리되지 않는 리소스를 해제합니다.
+
+
+
+ 개체에서 사용하는 관리되지 않는 리소스를 해제하고 관리되는 리소스를 선택적으로 삭제할 수 있습니다.
+ 관리되는 리소스와 관리되지 않는 리소스를 모두 해제하려면 true, 관리되지 않는 리소스만 해제하려면 false입니다.
+
+
+ 서브클래스에서 재정의되는 경우 인터넷 리소스에서 데이터 스트림을 반환합니다.
+ 인터넷 리소스에서 데이터를 읽기 위한 클래스의 인스턴스입니다.
+ 메서드가 서브클래스에서 재정의되지 않았는데 메서드에 액세스하려 할 경우
+
+
+
+
+
+ 파생 클래스에서 재정의되는 경우 요청과 연결된 헤더 이름/값 쌍의 컬렉션을 가져옵니다.
+ 이 응답과 관련된 헤더 값을 포함하는 클래스의 인스턴스입니다.
+ 속성이 서브클래스에서 재정의되지 않았는데 속성을 가져오거나 설정하려 할 경우
+
+
+
+
+
+ 파생 클래스에서 재정의되는 경우 요청에 실제로 응답하는 인터넷 리소스의 URI를 가져옵니다.
+ 요청에 실제로 응답하는 인터넷 리소스의 URI가 들어 있는 클래스의 인스턴스입니다.
+ 속성이 서브클래스에서 재정의되지 않았는데 속성을 가져오거나 설정하려 할 경우
+
+
+
+
+
+ 헤더가 지원되는지 여부를 나타내는 값을 가져옵니다.
+
+ 를 반환합니다.헤더가 지원되면 true이고, 지원되지 않으면 false입니다.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/ru/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/ru/System.Net.Requests.xml
new file mode 100644
index 0000000..bbf5c3b
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/ru/System.Net.Requests.xml
@@ -0,0 +1,515 @@
+
+
+
+ System.Net.Requests
+
+
+
+ Предоставляет ориентированную на HTTP-протокол реализацию класса .
+
+
+ Отменяет запрос к интернет-ресурсу.
+
+
+
+
+
+
+
+ Получает или задает значение HTTP-заголовка Accept.
+ Значение HTTP-заголовка Accept.Значение по умолчанию — null.
+
+
+ Возвращает или задает значение, которое указывает, будет ли выполняться буферизация данных, полученных от интернет-ресурса.
+ trueбуфер, полученных из Интернет-ресурса; в противном случае — false.Значение true устанавливается для включения буферизации данных, получаемых от интернет-ресурса; значение false — для выключения буферизации.Значение по умолчанию — true.
+
+
+ Начинает асинхронный запрос объекта , используемого для записи данных.
+ Класс , ссылающийся на асинхронный запрос.
+ Делегат .
+ Объект состояния для данного запроса.
+ Значение свойства — GET или HEAD.-или- Значение — true, значение — false, значение — -1, значение — false и значение — POST или PUT.
+ Поток занят предыдущим вызовом -или- Для устанавливается значение, а значение равно false.-или- В пуле потоков заканчиваются потоки.
+ Проверяющий элемент управления кэша запросов указывает, что ответ на этот запрос может быть предоставлен из кэша, однако запросы, записывающие данные, не должны использовать кэш.Это исключение может возникнуть при использовании пользовательского проверяющего элемента управления кэша, который неправильно реализован.
+ Метод был вызван ранее.
+ В приложении .NET Compact Framework поток запроса с длиной содержимого, равной нулю, не был получен и закрыт допустимым образом.Дополнительные сведения об обработке запросов с нулевой длиной содержимого см. в разделе Network Programming in the .NET Compact Framework.
+
+
+
+
+
+
+
+
+
+
+ Начинает асинхронный запрос интернет-ресурса.
+ Объект , ссылающийся на асинхронный запрос ответа.
+ Делегат
+ Объект состояния для данного запроса.
+ Поток уже занят предыдущим вызовом -или- Для устанавливается значение, а значение равно false.-или- В пуле потоков заканчиваются потоки.
+ Значение — GET или HEAD, кроме того или больше нуля, или равно true.-или- Значение — true, значение — false и одно из следующих: значение — -1, значение — false и значение — POST или PUT.-или- имеет тело сущности, но метод вызывается без вызова метода . -или- Значение свойства больше нуля, однако приложение не записывает все обещанные данные.
+ Метод был вызван ранее.
+
+
+
+
+
+
+
+
+
+
+ Получает или задает значение HTTP-заголовка Content-type.
+ Значение HTTP-заголовка Content-type.Значение по умолчанию — null.
+
+
+ Получает или задает время ожидания в миллисекундах до получения ответа 100-Continue с сервера.
+ Время ожидания в миллисекундах до получения ответа 100-Continue.
+
+
+ Возвращает или задает файлы cookie, связанные с запросом.
+ Контейнер , в котором содержатся файлы cookie, связанные с этим запросом.
+
+
+ Возвращает или задает сведения о проверке подлинности для этого запроса.
+ Класс , содержащий учетные данные для проверки подлинности, связанные с этим запросом.Значение по умолчанию — null.
+
+
+
+
+
+ Завершает асинхронный запрос объекта , используемого для записи данных.
+ Объект , используемый для записи данных запроса.
+ Незавершенный запрос потока.
+
+ is null.
+ Запрос не завершен и в наличии нет потока.
+ Параметр не был возвращен текущим экземпляром из вызова .
+ Этот метод был вызван ранее с помощью параметра .
+ Метод был вызван ранее.-или- Произошла ошибка при обработке запроса.
+
+
+
+
+
+
+
+ Завершает асинхронный запрос интернет-ресурса.
+ Объект , содержащий ответ от интернет-ресурса.
+ Незавершенный запрос ответа.
+
+ is null.
+ Этот метод был вызван ранее с помощью параметра -или- Значение свойства больше 0, но данные не были записаны в поток запроса.
+ Метод был вызван ранее.-или- Произошла ошибка при обработке запроса.
+ Параметр не был возвращен текущим экземпляром из вызова .
+
+
+
+
+
+
+
+ Возвращает значение, показывающее, был ли получен ответ от интернет-ресурса.
+ Значение true, если ответ получен, в противном случае — значение false.
+
+
+ Указывает коллекцию пар "имя-значение", из которых создаются заголовки HTTP.
+ Коллекция , содержащая пары "имя-значение", из которых состоят HTTP-заголовки.
+ Запрос начат посредством вызова метода , , или .
+
+
+
+
+
+ Возвращает или задает метод для запроса.
+ Метод запроса, используемый для связи с интернет-ресурсом.Значение по умолчанию — GET.
+ Метод не предоставляется.-или- Строка метода содержит недопустимые знаки.
+
+
+ Возвращает исходный код URI запроса.
+ Объект , который содержит код URI интернет-ресурса, переданный в метод .
+
+
+ Получает значение, которое указывает, поддерживает ли запрос .
+ trueЕсли запрос обеспечивает поддержку для ; в противном случае — false.true, если поддерживается, в противном случае — false.
+
+
+ Получает или задает значение , которое управляет отправкой учетных данных по умолчанию вместе с запросами.
+ Значение равно true, если используются учетные данные по умолчанию, в противном случае — false.Значение по умолчанию — false.
+ Произведена попытка установки этого свойства после отправки запроса.
+
+
+
+
+
+ Предоставляет связанную с HTTP реализацию класса .
+
+
+ Возвращает длину содержимого, возвращаемого запросом.
+ Количество байт, возвращаемых запросом.В длине содержимого не учитываются сведения заголовков.
+ Текущий экземпляр был удален.
+
+
+ Возвращает тип содержимого ответа.
+ Строка, содержащая тип содержимого ответа.
+ Текущий экземпляр был удален.
+
+
+ Возвращает или задает файлы cookie, связанные с этим ответом.
+ Коллекция , в которой содержатся файлы cookie, связанные с этим ответом.
+ Текущий экземпляр был удален.
+
+
+ Освобождает неуправляемые ресурсы, используемые объектом , и при необходимости освобождает также управляемые ресурсы.
+ Значение true для освобождения управляемых и неуправляемых ресурсов; значение false для освобождения только неуправляемых ресурсов.
+
+
+ Возвращает поток, используемый для чтения основного текста ответа с сервера.
+ Объект , содержащий основной текст ответа.
+ Поток ответа отсутствует.
+ Текущий экземпляр был удален.
+
+
+
+
+
+
+
+ Получает с сервера заголовки, связанные с данным ответом.
+ Свойство , содержащее сведения заголовков, возвращаемых с ответом.
+ Текущий экземпляр был удален.
+
+
+ Возвращает метод, используемый для возврата ответа.
+ Строка, содержащая метод HTTP, используемый для возврата ответа.
+ Текущий экземпляр был удален.
+
+
+ Возвращает URI Интернет-ресурса, ответившего на запрос.
+ Объект , который содержит URI Интернет-ресурса, ответившего на запрос.
+ Текущий экземпляр был удален.
+
+
+ Возвращает состояние ответа.
+ Одно из значений .
+ Текущий экземпляр был удален.
+
+
+ Получает описание состояния, возвращаемого с ответом.
+ Строка, описывающая состояние ответа.
+ Текущий экземпляр был удален.
+
+
+ Возвращает значение, указывающее, поддерживаются ли заголовки.
+ Возвращает .Значение true, если заголовки поддерживаются; в противном случае — значение false.
+
+
+ Предоставляет основной интерфейс для создания экземпляров класса .
+
+
+ Создает экземпляр класса .
+ Экземпляр .
+ URI веб-ресурса.
+ Схема запроса, заданная параметром , не поддерживается этим экземпляром .
+ Параметр имеет значение null.
+ В .NET для приложений Магазина Windows или переносимой библиотеке классов вместо этого перехватите исключение базового класса .URI, заданный в , не является допустимым URI.
+
+
+ Исключение, создаваемое при возникновении ошибки во время использования сетевого протокола.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализирует новый экземпляр класса , используя заданное сообщение.
+ Строка сообщения об ошибке.
+
+
+ Исключение создается при появлении ошибки во время доступа к сети через подключаемый протокол.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализирует новый экземпляр класса указанным сообщением об ошибке.
+ Текст сообщения об ошибке.
+
+
+ Инициализирует новый экземпляр класса с указанным сообщением об ошибке и вложенным исключением.
+ Текст сообщения об ошибке.
+ Вложенное исключение.
+
+
+ Инициализирует новый экземпляр класса с указанным сообщением об ошибке, вложенным исключением, статусом и ответом.
+ Текст сообщения об ошибке.
+ Вложенное исключение.
+ Одно из значений .
+ Экземпляр , содержащий ответ от удаленного узла в сети.
+
+
+ Инициализирует новый экземпляр класса с указанным сообщением об ошибке и статусом.
+ Текст сообщения об ошибке.
+ Одно из значений .
+
+
+ Получает ответ, возвращенный удаленным узлом.
+ Если ответ доступен из интернет-ресурсов, экземпляр , содержащий отклик из интернет-ресурса, в противном случае — null.
+
+
+ Возвращает состояние ответа.
+ Одно из значений .
+
+
+ Определяет коды состояния для класса .
+
+
+ С точкой удаленной службы нельзя связаться на транспортном уровне.
+
+
+ Принято сообщение о превышении заданного ограничения при передаче запроса или приеме ответа сервера.
+
+
+ Внутренний асинхронный запрос находится в очереди.
+
+
+ Запрос был отменен, был вызван метод или возникла ошибка, не поддающаяся классификации.Это значение по умолчанию для свойства .
+
+
+ Полный запрос не был передан на удаленный сервер.
+
+
+ Ошибок не было.
+
+
+ Возникло исключение неизвестного типа.
+
+
+ Выполняет запрос к универсальному коду ресурса (URI).Этот класс является абстрактным abstract.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Отменяет запрос
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ Если переопределено во вложенном классе, предоставляет асинхронную версию метода .
+ Класс , ссылающийся на асинхронный запрос.
+ Делегат .
+ Объект, содержащий сведения о состоянии для данного асинхронного запроса.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Если переопределено во вложенном классе, начинает асинхронный запрос интернет-ресурса.
+ Класс , ссылающийся на асинхронный запрос.
+ Делегат .
+ Объект, содержащий сведения о состоянии для данного асинхронного запроса.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Если переопределено во вложенном классе, возвращает или задает длину содержимого запрошенных к передаче данных.
+ Тип содержимого запрошенных данных.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Инициализирует новый экземпляр для заданной схемы URI.
+ Потомок для определенной схемы URI.
+ Универсальный код ресурса (URI), определяющий интернет-ресурс.
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ Инициализирует новый экземпляр для заданной схемы URI.
+ Потомок для указанной схемы URI.
+ Объект , содержащий универсальный код запрашиваемого ресурса (URI).
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ Инициализирует новый экземпляр для заданной строки URI.
+ Возвращает .Экземпляр для заданной строки URI.
+ Строка URI, определяющая интернет-ресурс.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Инициализирует новый экземпляр для заданного URI.
+ Возвращает .Экземпляр для заданной строки URI.
+ Идентификатор URI, определяющий интернет-ресурс.
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ Если переопределено во вложенном классе, возвращает или задает сетевые учетные данные, используемые для проверки подлинности запроса на интернет-ресурсе.
+ Объект , содержащий учетные записи проверки подлинности, связанные с запросом.Значение по умолчанию — null.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Возвращает или устанавливает глобальный прокси-сервер HTTP.
+ Объект используется в каждом вызове экземпляра .
+
+
+ Если переопределено в производном классе, возвращает для записи данных в этот интернет-ресурс.
+ Объект , в который записываются данные.
+ Объект , ссылающийся на отложенный запрос для потока.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Если переопределено в производном классе, возвращает .
+ Объект , содержащий ответ на интернет-запрос.
+ Объект , ссылающийся на отложенный запрос ответа.
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ Если переопределено во вложенном классе, возвращает для записи данных в интернет-ресурс в ходе асинхронной операции.
+ Возвращает .Объект задачи, представляющий асинхронную операцию.
+
+
+ Если переопределено во вложенном классе, возвращает ответ на интернет-запрос в ходе асинхронной операции.
+ Возвращает .Объект задачи, представляющий асинхронную операцию.
+
+
+ Если переопределено во вложенном классе, возвращает или задает коллекцию связанных с данным запросом пар "имя — значение" для заголовка.
+ Коллекция , содержащая пары "имя-значение" заголовков, связанных с данным запросом.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Если переопределено во вложенном классе, возвращает или задает метод протокола для использования в данном запросе.
+ Метод протокола для использования в данном запросе.
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ Если переопределено во вложенном классе, возвращает или задает сетевой прокси-сервер, используемый для доступа к данному интернет-ресурсу.
+ Объект для доступа к данному интернет-ресурсу.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Регистрирует потомок для заданной схемы URI.
+ Значение true, если регистрация выполнена; в противном случае — значение false.
+ Полный URI или префикс URI, обслуживаемый потомком .
+ Метод, вызываемый для создания потомка .
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ Если переопределено во вложенном классе, возвращает URI интернет-ресурса, связанного с данным запросом.
+ Объект , предоставляющий ресурс, связанный с данным запросом.
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Если переопределено во вложенном классе, возвращает или задает значение , с помощью которого определяется, следует ли отправлять учетные данные вместе с запросами.
+ Значение true, если используются учетные данные по умолчанию; в противном случае — значение false.Значение по умолчанию — false.
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ Предоставляет ответ с URI.Этот класс является абстрактным abstract.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ При переопределении во вложенном классе возвращает или задает длину содержимого принимаемых данных.
+ Число байтов, возвращенных из Интернет-ресурса.
+ Если свойство не переопределено во вложенном классе, делаются все возможные попытки получить или задать его.
+
+
+
+
+
+ При переопределении производного класса возвращает или задает тип содержимого принимаемых данных.
+ Строка, содержащая тип содержимого ответа.
+ Если свойство не переопределено во вложенном классе, делаются все возможные попытки получить или задать его.
+
+
+
+
+
+ Высвобождает неуправляемые ресурсы, используемые в объекте .
+
+
+ Освобождает неуправляемые ресурсы, используемые объектом , и опционально — управляемые ресурсы.
+ Значение true для освобождения управляемых и неуправляемых ресурсов; значение false для освобождения только неуправляемых ресурсов.
+
+
+ При переопределении во вложенном классе возвращает поток данных из этого Интернет-ресурса.
+ Экземпляр класса для чтения данных из Интернет-ресурса.
+ Если метод не переопределен во вложенном классе, делаются все возможные попытки получить к нему доступ.
+
+
+
+
+
+ При переопределении в производном классе возвращает коллекцию пар "имя-значение" для заголовка, связанную с данным запросом.
+ Экземпляр класса , содержащий значения заголовка, связанные с данным ответом.
+ Если свойство не переопределено во вложенном классе, делаются все возможные попытки получить или задать его.
+
+
+
+
+
+ При переопределении в производном классе возвращает URI Интернет-ресурса, который ответил на данный запрос.
+ Экземпляр класса , содержащий URI Интернет-ресурса, который ответил на данный запрос.
+ Если свойство не переопределено во вложенном классе, делаются все возможные попытки получить или задать его.
+
+
+
+
+
+ Возвращает значение, указывающее, поддерживаются ли заголовки.
+ Возвращает .Значение true, если заголовки поддерживаются; в противном случае — значение false.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/zh-hans/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/zh-hans/System.Net.Requests.xml
new file mode 100644
index 0000000..939810d
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/zh-hans/System.Net.Requests.xml
@@ -0,0 +1,535 @@
+
+
+
+ System.Net.Requests
+
+
+
+ 提供 类的 HTTP 特定的实现。
+
+
+ 取消对 Internet 资源的请求。
+
+
+
+
+
+
+
+ 获取或设置 Accept HTTP 标头的值。
+ Accept HTTP 标头的值。默认值为 null。
+
+
+ 获取或设置一个值,该值指示是否对从 Internet 资源接收的数据进行缓冲处理。
+ true要缓冲接收到来自 Internet 资源 ;否则为false。true 允许对从 Internet 资源接收的数据进行缓冲处理,false 禁用缓冲处理。默认值为 true。
+
+
+ 开始对用来写入数据的 对象的异步请求。
+ 引用该异步请求的 。
+
+ 委托。
+ 此请求的状态对象。
+
+ 属性为 GET 或 HEAD。- 或 - 为 true, 为 false, 为 -1, 为 false, 为 POST 或 PUT。
+ 流正由上一个 调用使用。- 或 - 被设置为一个值,并且 为 false。- 或 -线程池中的线程即将用完。
+ 请求缓存验证程序指示对此请求的响应可从缓存中提供;但是写入数据的请求不得使用缓存。如果您正在使用错误实现的自定义缓存验证程序,则会发生此异常。
+
+ 以前被调用过。
+ 在 .NET Compact Framework 应用程序中,未正确获得和关闭一个内容长度为零的请求流。有关处理内容长度为零的请求的更多信息,请参见 Network Programming in the .NET Compact Framework。
+
+
+
+
+
+
+
+
+
+
+ 开始对 Internet 资源的异步请求。
+ 引用对响应的异步请求的 。
+
+ 委托
+ 此请求的状态对象。
+ 流正由上一个 调用使用- 或 - 被设置为一个值,并且 为 false。- 或 -线程池中的线程即将用完。
+
+ 为 GET 或 HEAD,且 大于零或 为 true。- 或 - 为 true, 为 false,同时 为 -1, 为 false,或者 为 POST 或 PUT。- 或 -该 具有实体,但不用调用 方法调用 方法。- 或 - 大于零,但应用程序不会写入所有承诺的数据。
+
+ 以前被调用过。
+
+
+
+
+
+
+
+
+
+
+ 获取或设置 Content-type HTTP 标头的值。
+ Content-type HTTP 标头的值。默认值为 null。
+
+
+ 获取或设置在接收到来自服务器的 100 次连续响应之前要等待的超时(以毫秒为单位)。
+ 在接收到 100-Continue 之前要等待的超时(以毫秒为单位)。
+
+
+ 获取或设置与此请求关联的 Cookie。
+ 包含与此请求关联的 Cookie 的 。
+
+
+ 获取或设置请求的身份验证信息。
+ 包含与该请求关联的身份验证凭据的 。默认值为 null。
+
+
+
+
+
+ 结束对用于写入数据的 对象的异步请求。
+ 用来写入请求数据的 。
+ 对流的挂起请求。
+
+ 为 null。
+ 请求未完成,没有可用的流。
+ 当前实例没有从 调用返回 。
+ 以前使用 调用过此方法。
+
+ 以前被调用过。- 或 -处理请求时发生错误。
+
+
+
+
+
+
+
+ 结束对 Internet 资源的异步请求。
+ 包含来自 Internet 资源的响应的 。
+ 挂起的对响应的请求。
+
+ 为 null。
+ 以前使用 调用过此方法。- 或 - 属性大于 0,但是数据尚未写入请求流。
+
+ 以前被调用过。- 或 -处理请求时发生错误。
+
+ was not returned by the current instance from a call to .
+
+
+
+
+
+
+
+ 获取一个值,该值指示是否收到了来自 Internet 资源的响应。
+ 如果接收到了响应,则为 true,否则为 false。
+
+
+ 指定构成 HTTP 标头的名称/值对的集合。
+ 包含构成 HTTP 请求标头的名称/值对的 。
+ 已通过调用 、、 或 方法启动了该请求。
+
+
+
+
+
+ 获取或设置请求的方法。
+ 用于联系 Internet 资源的请求方法。默认值为 GET。
+ 未提供任何方法。- 或 -方法字符串包含无效字符。
+
+
+ 获取请求的原始统一资源标识符 (URI)。
+ 一个 ,其中包含传递给 方法的 Internet 资源的 URI。
+
+
+ 获取一个值,该值指示请求是否为 提供支持。
+ true如果请求提供了对支持;否则为false。如果支持 ,则为 true;否则为 false。
+
+
+ 获取或设置一个 值,该值控制默认凭据是否随请求一起发送。
+ 如果使用默认凭据,则为 true;否则为 false。默认值为 false。
+ 您尝试在该请求发送之后设置此属性。
+
+
+
+
+
+ 提供 类的 HTTP 特定的实现。
+
+
+ 获取请求返回的内容的长度。
+ 由请求所返回的字节数。内容长度不包括标头信息。
+ 已释放当前的实例。
+
+
+ 获取响应的内容类型。
+ 包含响应的内容类型的字符串。
+ 已释放当前的实例。
+
+
+ 获取或设置与此响应关联的 Cookie。
+
+ ,包含与此响应关联的 Cookie。
+ 已释放当前的实例。
+
+
+ 释放由 使用的非托管资源,并可根据需要释放托管资源。
+ 如果释放托管资源和非托管资源,则为 true;如果仅释放非托管资源,则为 false。
+
+
+ 获取流,该流用于读取来自服务器的响应的体。
+ 一个 ,包含响应的体。
+ 没有响应流。
+ 已释放当前的实例。
+
+
+
+
+
+
+
+ 获取来自服务器的与此响应关联的标头。
+ 一个 ,包含与响应一起返回的标头信息。
+ 已释放当前的实例。
+
+
+ 获取用于返回响应的方法。
+ 一个字符串,包含用于返回响应的 HTTP 方法。
+ 已释放当前的实例。
+
+
+ 获取响应请求的 Internet 资源的 URI。
+ 一个 ,包含响应请求的 Internet 资源的 URI。
+ 已释放当前的实例。
+
+
+ 获取响应的状态。
+
+ 值之一。
+ 已释放当前的实例。
+
+
+ 获取与响应一起返回的状态说明。
+ 一个字符串,描述响应的状态。
+ 已释放当前的实例。
+
+
+ 获取指示是否支持标题的值。
+ 返回 。如果标题受支持,则为 true;否则为 false。
+
+
+ 提供用于创建 实例的基接口。
+
+
+ 创建一个 实例。
+ 一个 实例。
+ Web 资源的统一资源标识符 (URI)。
+ 此 实例不支持在 中指定的请求方案。
+
+ 为 null。
+ 在 .NET for Windows Store 应用程序 或 可移植类库 中,请改为捕获基类异常 。 中指定的 URI 不是有效的 URI。
+
+
+ 使用网络协议期间出错时引发的异常。
+
+
+ 初始化 类的新实例。
+
+
+ 用指定消息初始化 类的新实例。
+ 错误消息字符串。
+
+
+ 通过可插接协议访问网络期间出错时引发的异常。
+
+
+ 初始化 类的新实例。
+
+
+ 使用指定的错误消息初始化 类的新实例。
+ 错误消息的文本。
+
+
+ 用指定的错误信息和嵌套异常初始化 类的新实例。
+ 错误消息的文本。
+ 嵌套异常。
+
+
+ 用指定的错误信息、嵌套异常、状态和响应初始化 类的新实例。
+ 错误消息的文本。
+ 嵌套异常。
+
+ 值之一。
+ 包含来自远程主机的响应的 实例。
+
+
+ 用指定的错误信息和状态初始化 类的新实例。
+ 错误消息的文本。
+
+ 值之一。
+
+
+ 获取远程主机返回的响应。
+ 如果可从 Internet 资源获得响应,则为包含来自 Internet 资源的错误响应的 实例;否则为 null。
+
+
+ 获取响应的状态。
+
+ 值之一。
+
+
+ 为 类定义状态代码。
+
+
+ 未能在传输级联系到远程服务点。
+
+
+ 当发送请求或从服务器接收响应时,会接收到超出指定限制的消息。
+
+
+ 内部异步请求挂起。
+
+
+ 请求被取消, 方法被调用,或者发生了不可分类的错误。这是 的默认值。
+
+
+ 未能将完整请求发送到远程服务器。
+
+
+ 未遇到任何错误。
+
+
+ 发生未知类型的异常。
+
+
+ 对统一资源标识符 (URI) 发出请求。这是一个 abstract 类。
+
+
+ 初始化 类的新实例。
+
+
+ 中止请求
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ 当在子类中重写时,提供 方法的异步版本。
+ 引用该异步请求的 。
+
+ 委托。
+ 包含此异步请求的状态信息的对象。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 当在子类中被重写时,开始对 Internet 资源的异步请求。
+ 引用该异步请求的 。
+
+ 委托。
+ 包含此异步请求的状态信息的对象。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 当在子类中被重写时,获取或设置所发送的请求数据的内容类型。
+ 请求数据的内容类型。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 为指定的 URI 方案初始化新的 实例。
+ 特定 URI 方案的 子代。
+ 标识 Internet 资源的 URI。
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ 为指定的 URI 方案初始化新的 实例。
+ 指定的 URI 方案的 子代。
+ 包含请求的资源的 URI 的 。
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ 为指定的 URI 字符串初始化新的 实例。
+ 返回 。特定 URI 字符串的 实例。
+ 标识 Internet 资源的 URI 字符串。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 为指定的 URI 初始化新的 实例。
+ 返回 。特定 URI 字符串的 实例。
+ 标识 Internet 资源的 URI。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 当在子类中被重写时,获取或设置用于对 Internet 资源请求进行身份验证的网络凭据。
+ 包含与该请求关联的身份验证凭据的 。默认值为 null。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 获取或设置全局 HTTP 代理。
+ 对 实例的每一次调用所使用的 。
+
+
+ 当在子类中重写时,返回用于将数据写入 Internet 资源的 。
+ 将数据写入的 。
+ 引用对流的挂起请求的 。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 当在子类中重写时,返回 。
+ 包含对 Internet 请求的响应的 。
+ 引用对响应的挂起请求的 。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 当在子类中被重写时,将用于写入数据的 作为异步操作返回到 Internet 资源。
+ 返回 。表示异步操作的任务对象。
+
+
+ 当在子代类中被重写时,将作为异步操作返回对 Internet 请求的响应。
+ 返回 。表示异步操作的任务对象。
+
+
+ 当在子类中被重写时,获取或设置与请求关联的标头名称/值对的集合。
+ 包含与此请求关联的标头名称/值对的 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 当在子类中被重写时,获取或设置要在此请求中使用的协议方法。
+ 要在此请求中使用的协议方法。
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ 当在子类中被重写时,获取或设置用于访问此 Internet 资源的网络代理。
+ 用于访问 Internet 资源的 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 为指定的 URI 注册 子代。
+ 如果注册成功,则为 true;否则为 false。
+
+ 子代为其提供服务的完整 URI 或 URI 前缀。
+ 创建方法, 调用它以创建 子代。
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ 当在子类中被重写时,获取与请求关联的 Internet 资源的 URI。
+ 表示与请求关联的资源的 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 当在子代类中重写时,获取或设置一个 值,该值控制 是否随请求一起发送。
+ 如果使用默认凭据,则为 true;否则为 false。默认值为 false。
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 提供来自统一资源标识符 (URI) 的响应。这是一个 abstract 类。
+
+
+ 初始化 类的新实例。
+
+
+ 当在子类中重写时,获取或设置接收的数据的内容长度。
+ 从 Internet 资源返回的字节数。
+ 当未在子类中重写该属性时,试图获取或设置该属性。
+
+
+
+
+
+ 当在派生类中重写时,获取或设置接收的数据的内容类型。
+ 包含响应的内容类型的字符串。
+ 当未在子类中重写该属性时,试图获取或设置该属性。
+
+
+
+
+
+ 释放 对象使用的非托管资源。
+
+
+ 释放由 对象使用的非托管资源,并可根据需要释放托管资源。
+ 如果释放托管资源和非托管资源,则为 true;如果仅释放非托管资源,则为 false。
+
+
+ 当在子类中重写时,从 Internet 资源返回数据流。
+ 用于从 Internet 资源中读取数据的 类的实例。
+ 当未在子类中重写该方法时,试图访问该方法。
+
+
+
+
+
+ 当在派生类中重写时,获取与此请求关联的标头名称/值对的集合。
+
+ 类的实例,包含与此响应关联的标头值。
+ 当未在子类中重写该属性时,试图获取或设置该属性。
+
+
+
+
+
+ 当在派生类中重写时,获取实际响应此请求的 Internet 资源的 URI。
+
+ 类的实例,包含实际响应此请求的 Internet 资源的 URI。
+ 当未在子类中重写该属性时,试图获取或设置该属性。
+
+
+
+
+
+ 获取指示是否支持标题的值。
+ 返回 。如果标题受支持,则为 true;否则为 false。
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/zh-hant/System.Net.Requests.xml b/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/zh-hant/System.Net.Requests.xml
new file mode 100644
index 0000000..c97631e
--- /dev/null
+++ b/packages/System.Net.Requests.4.3.0/ref/netstandard1.3/zh-hant/System.Net.Requests.xml
@@ -0,0 +1,550 @@
+
+
+
+ System.Net.Requests
+
+
+
+ 提供 類別的 HTTP 特定實作。
+
+
+ 取消對網際網路資源的要求。
+
+
+
+
+
+
+
+ 取得或設定 Accept HTTP 標頭的值。
+ Accept HTTP 標頭的值。預設值是 null。
+
+
+ 取得或設定值,這個值表示是否要緩衝處理從網際網路資源接收的資料。
+ true用來緩衝接收到來自網際網路資源。否則, false。true 表示啟用緩衝處理從網際網路資源收到的資料,false 表示停用緩衝。預設值為 true。
+
+
+ 開始用來寫入資料之 物件的非同步要求。
+
+ ,參考非同步要求。
+
+ 委派。
+ 這個要求的狀態物件。
+
+ 屬性是 GET 或 HEAD。-或- 是 true、 是 false、 是 -1、 是 false,而且 是 POST 或 PUT。
+ 資料流正在由先前對 的呼叫所使用。-或- 是設定為值,而且 為 false。-或-執行緒集區中的執行緒即將用盡。
+ 要求的快取驗證程式表示,可以從快取提供對這個要求的回應,然而,寫入資料的要求不可以使用快取。如果您使用錯誤實作的自訂快取驗證程式,可能會發生這個例外狀況。
+ 先前已呼叫過 。
+ 在 .NET Compact Framework 應用程式中,沒有正確取得並關閉內容長度為零的要求資料流。如需處理內容長度為零之要求的詳細資訊,請參閱 Network Programming in the .NET Compact Framework。
+
+
+
+
+
+
+
+
+
+
+ 開始對網際網路資源的非同步要求。
+
+ ,參考回應的非同步要求。
+
+ 委派
+ 這個要求的狀態物件。
+ 資料流已經由先前對 的呼叫使用。-或- 是設定為值,而且 為 false。-或-執行緒集區中的執行緒即將用盡。
+
+ 是 GET 或 HEAD,而且若不是 大於零,就是 為 true。-或- 是 true、 是 false;若不是 為 -1,就是 為 false;而且 是 POST 或 PUT。-或- 具有實體本文,但是不會透過呼叫 方法的方式來呼叫 方法。-或- 大於零,但應用程式不會寫入所有承諾的資料
+ 先前已呼叫過 。
+
+
+
+
+
+
+
+
+
+
+ 取得或設定 Content-type HTTP 標頭的值。
+ Content-type HTTP 標頭的值。預設值是 null。
+
+
+ 取得或設定要在收到伺服器的 100-Continue 以前等候的逾時 (以毫秒為單位)。
+ 要在收到 100-Continue 以前等候的逾時 (以毫秒為單位)。
+
+
+ 取得或設定與要求相關的 Cookie。
+
+ ,包含與這個要求相關的 Cookie。
+
+
+ 取得或設定要求的驗證資訊。
+
+ ,包含與要求相關的驗證認證。預設值為 null。
+
+
+
+
+
+ 結束用來寫入資料之 物件的非同步要求。
+
+ ,用來寫入要求資料。
+ 資料流的暫止要求。
+
+ 為 null。
+ 要求未完成,並且沒有資料流可以使用。
+ 目前執行個體沒有在呼叫 之後傳回 。
+ 這個方法先前已使用 呼叫過。
+ 先前已呼叫過 。-或-處理要求時發生錯誤。
+
+
+
+
+
+
+
+ 結束對網際網路資源的非同步要求。
+
+ ,包含來自網際網路資源的回應。
+ 回應的暫止要求。
+
+ 為 null。
+ 這個方法先前已使用 呼叫過。-或- 屬性大於 0,但是未將資料寫入至要求資料流。
+ 先前已呼叫過 。-或-處理要求時發生錯誤。
+
+ was not returned by the current instance from a call to .
+
+
+
+
+
+
+
+ 取得值,指出是否已經接收到來自網際網路資源的回應。
+ 如果已經接收到回應,則為 true,否則為 false。
+
+
+ 指定組成 HTTP 標頭的名稱/值組集合。
+
+ ,包含組成 HTTP 要求標頭的名稱/值組。
+ 要求已經藉由呼叫 、、 或 方法開始。
+
+
+
+
+
+ 取得或設定要求的方法。
+ 用來連繫網際網路資源的要求方法。預設值為 GET。
+ 未提供方法。-或-方法字串含有無效字元。
+
+
+ 取得要求的原始統一資源識別元 (URI)。
+
+ ,包含傳遞到 方法的網際網路資源 URI。
+
+
+ 取得值,指出要求是否提供對 的支援。
+ true如果要求提供支援;否則, false。如果支援 則為 true,否則為 false。
+
+
+ 取得或設定 值,控制是否隨著要求傳送預設認證。
+ 如果使用預設認證則為 true,否則為 false。預設值是 false。
+ 在傳送要求後,您嘗試設定這個屬性。
+
+
+
+
+
+ 提供 類別的 HTTP 特定實作。
+
+
+ 取得由要求傳回的內容長度。
+ 由要求傳回的位元組數目。內容長度不包含標頭資訊。
+ 已經處置目前的執行個體。
+
+
+ 取得回應的內容類型。
+ 字串,包含回應的內容類型。
+ 已經處置目前的執行個體。
+
+
+ 取得或設定與這個回應關聯的 Cookie。
+
+ ,包含與這個回應關聯的 Cookie。
+ 已經處置目前的執行個體。
+
+
+ 釋放 所使用的 Unmanaged 資源,並選擇性處置 Managed 資源。
+ true 表示會同時釋放 Managed 和 Unmanaged 資源;false 則表示只釋放 Unmanaged 資源。
+
+
+ 取得用來從伺服器讀取回應主體的資料流。
+
+ ,包含回應的主體。
+ 沒有回應的資料流。
+ 已經處置目前的執行個體。
+
+
+
+
+
+
+
+ 取得與伺服器的這個回應關聯的標頭。
+
+ ,包含隨回應傳回的標頭資訊。
+ 已經處置目前的執行個體。
+
+
+ 取得用來傳回回應的方法。
+ 字串,含有用來傳回回應的 HTTP 方法。
+ 已經處置目前的執行個體。
+
+
+ 取得回應要求之網際網路資源的 URI。
+
+ ,包含回應要求之網際網路資源的 URI。
+ 已經處置目前的執行個體。
+
+
+ 取得回應的狀態。
+ 其中一個 值。
+ 已經處置目前的執行個體。
+
+
+ 取得隨回應傳回的狀態描述。
+ 字串,描述回應的狀態。
+ 已經處置目前的執行個體。
+
+
+ 取得指出是否支援標頭的值。
+ 傳回 。如果支援標頭則為 true;否則為 false。
+
+
+ 提供建立 執行個體的基底介面。
+
+
+ 建立 執行個體。
+
+ 執行個體。
+ Web 資源的統一資源識別元 (URI)。
+ 此 執行個體不支援 中指定的要求配置。
+
+ 為 null。
+ 在適用於 Windows 市集應用程式的 .NET 或可攜式類別庫中,反而要攔截基底類別例外狀況 。 中指定的 URI 為無效的 URI。
+
+
+ 當使用網路通訊協定 (Protocol) 發生錯誤時,所擲回的例外狀況。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 使用指定的訊息來初始化 類別的新執行個體。
+ 錯誤訊息字串。
+
+
+ 當透過可外掛式通訊協定 (Protocol) 存取網路發生錯誤時,所擲回的例外狀況。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 使用指定的錯誤訊息來初始化 類別的新執行個體。
+ 錯誤訊息的文字。
+
+
+ 使用指定的錯誤訊息和巢狀例外狀況來初始化 類別的新執行個體。
+ 錯誤訊息的文字。
+ 巢狀例外狀況。
+
+
+ 使用指定的錯誤訊息、巢狀例外狀況、狀態和回應來初始化 類別的新執行個體。
+ 錯誤訊息的文字。
+ 巢狀例外狀況。
+ 其中一個 值。
+
+ 執行個體,含有遠端主機的回應。
+
+
+ 使用指定的錯誤訊息和狀態來初始化 類別的新執行個體。
+ 錯誤訊息的文字。
+ 其中一個 值。
+
+
+ 取得遠端主機所傳回的回應。
+ 如果可以從網際網路資源使用回應,則為包含來自網際網路資源之錯誤回應的 執行個體,否則為 null。
+
+
+ 取得回應的狀態。
+ 其中一個 值。
+
+
+ 定義 類別的狀態碼。
+
+
+ 無法在傳輸層級上連繫遠端服務點。
+
+
+ 已在傳送要求或從伺服器接收回應時收到超過指定限制的訊息。
+
+
+ 暫止內部非同步要求。
+
+
+ 要求被取消、呼叫 方法,或發生無法分類的錯誤。這是 的預設值。
+
+
+ 完整要求無法送出至遠端伺服器。
+
+
+ 沒有遇到錯誤。
+
+
+ 未知類型的例外狀況 (Exception) 已經發生。
+
+
+ 對統一資源識別元 (URI) 提出要求。這是 abstract 類別。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 中止要求
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+
+
+
+ 在子代類別中覆寫時,會提供 方法的非同步版本。
+ 參考非同步要求的 。
+
+ 委派。
+ 物件,包含這個非同步要求的狀態資訊。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 在子代類別中覆寫時,開始網際網路資源的非同步要求。
+ 參考非同步要求的 。
+
+ 委派。
+ 物件,包含這個非同步要求的狀態資訊。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 在子代類別中覆寫時,取得或設定正在傳送要求資料的內容類型。
+ 要求資料的內容類型。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 為指定的 URI 配置,初始化新的 執行個體。
+ 特定 URI 配置的 子代。
+ 識別網際網路資源的 URI。
+ The request scheme specified in has not been registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ In the .NET for Windows Store apps or the Portable Class Library, catch the base class exception, , instead.The URI specified in is not a valid URI.
+
+
+
+
+
+
+
+ 為指定的 URI 配置,初始化新的 執行個體。
+
+ 子代,屬於指定的 URI 配置。
+
+ ,包含要求資源的 URI。
+ The request scheme specified in is not registered.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+
+
+
+
+
+
+
+ 為指定的 URI 字串,初始化新的 執行個體。
+ 傳回 。特定 URI 字串的 執行個體。
+ 識別網際網路資源的 URI 字串。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 為指定的 URI 配置,初始化新的 執行個體。
+ 傳回 。特定 URI 字串的 執行個體。
+ 識別網際網路資源的 URI。
+ The request scheme specified in is the http or https scheme.
+
+ is null.
+ The caller does not have permission to connect to the requested URI or a URI that the request is redirected to.
+ The URI specified in is not a valid URI.
+
+
+ 在子代類別中覆寫時,取得或設定使用網際網路資源驗證要求的網路認證。
+
+ ,包含與要求相關聯的驗證認證。預設為 null。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 取得或設定全域 HTTP Proxy。
+ 每個 執行個體的呼叫所使用的 。
+
+
+ 在子代類別中覆寫時,傳回 ,以便將資料寫入至網際網路資源。
+ 要將資料寫入的目標 。
+
+ ,參考資料流的暫止要求。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 在子代類別中覆寫時,傳回 。
+
+ ,包含對網際網路要求的回應。
+
+ ,參考回應的暫止要求。
+ Any attempt is made to access the method, when the method is not overridden in a descendant class.
+
+
+ 在子代類別中覆寫時,傳回以非同步作業方式將資料寫入網際網路資源的 。
+ 傳回 。工作物件,表示非同步作業。
+
+
+ 在子代類別中覆寫時,傳回對網際網路要求的回應,做為非同步作業。
+ 傳回 。工作物件,表示非同步作業。
+
+
+ 在子代類別中覆寫時,取得或設定與要求相關聯的標頭名稱/值組集合。
+
+ ,包含與要求相關聯的標頭名稱/值組。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 在子代類別中覆寫時,取得或設定這個要求中要使用的通訊協定方法。
+ 這個要求中要使用的通訊協定方法。
+ If the property is not overridden in a descendant class, any attempt is made to get or set the property.
+
+
+
+
+
+ 在子代類別中覆寫時,取得或設定要用來存取這個網際網路資源的網路 Proxy。
+ 用以存取網際網路資源的 。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 註冊指定 URI 的 子代。
+ 如果登錄成功,則為 true,否則為 false。
+
+ 子代所服務的完整 URI 或 URI 前置詞。
+
+ 呼叫以建立 子代的建立方法。
+
+ is null-or- is null.
+
+
+
+
+
+
+
+ 在子代類別中覆寫時,取得與要求相關聯的網際網路資源 URI。
+
+ ,代表與要求相關聯的資源。
+ Any attempt is made to get or set the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 在子代類別中覆寫時,取得或設定 值,控制 是否隨著要求傳送。
+ 如果使用預設認證,則為 true,否則為 false。預設值是 false。
+ You attempted to set this property after the request was sent.
+ Any attempt is made to access the property, when the property is not overridden in a descendant class.
+
+
+
+
+
+ 提供來自統一資源識別元 (URI) 的回應。這是 abstract 類別。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 在子系類別中覆寫時,取得或設定正在接收資料的內容長度。
+ 傳回自網際網路資源的位元組數。
+ 當屬性在子代類別中未覆寫時,會嘗試取得或設定該屬性。
+
+
+
+
+
+ 在衍生類別中覆寫時,取得或設定正在接收資料的內容類型。
+ 字串,包含回應的內容類型。
+ 當屬性在子代類別中未覆寫時,會嘗試取得或設定該屬性。
+
+
+
+
+
+ 釋放由 物件使用的 Unmanaged 資源。
+
+
+ 釋放 物件所使用的 Unmanaged 資源,並選擇性處置 Managed 資源。
+ true 表示會同時釋放 Managed 和 Unmanaged 資源;false 則表示只釋放 Unmanaged 資源。
+
+
+ 在子系類別中覆寫時,傳回來自網際網路資源的資料流。
+
+ 類別的執行個體,從網際網路資源讀取資料。
+ 當方法在子代類別中未覆寫時,會嘗試存取該方法。
+
+
+
+
+
+ 在衍生類別中覆寫時,取得與這個要求相關聯的標頭名稱值配對集合。
+
+ 類別的執行個體,包含與這個回應相關聯的標頭值。
+ 當屬性在子代類別中未覆寫時,會嘗試取得或設定該屬性。
+
+
+
+
+
+ 在衍生類別中覆寫時,取得對要求實際回應的網際網路資源 URI。
+
+ 類別的執行個體,它包含對要求實際回應的網際網路資源 URI。
+ 當屬性在子代類別中未覆寫時,會嘗試取得或設定該屬性。
+
+
+
+
+
+ 取得指出是否支援標頭的值。
+ 傳回 。如果支援標頭則為 true;否則為 false。
+
+
+
\ No newline at end of file
diff --git a/packages/System.Net.Requests.4.3.0/ref/portable-net45+win8+wp8+wpa81/_._ b/packages/System.Net.Requests.4.3.0/ref/portable-net45+win8+wp8+wpa81/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/ref/win8/_._ b/packages/System.Net.Requests.4.3.0/ref/win8/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/ref/wp80/_._ b/packages/System.Net.Requests.4.3.0/ref/wp80/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/ref/wpa81/_._ b/packages/System.Net.Requests.4.3.0/ref/wpa81/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/ref/xamarinios10/_._ b/packages/System.Net.Requests.4.3.0/ref/xamarinios10/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/ref/xamarinmac20/_._ b/packages/System.Net.Requests.4.3.0/ref/xamarinmac20/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/ref/xamarintvos10/_._ b/packages/System.Net.Requests.4.3.0/ref/xamarintvos10/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/ref/xamarinwatchos10/_._ b/packages/System.Net.Requests.4.3.0/ref/xamarinwatchos10/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/runtimes/unix/lib/netstandard1.3/System.Net.Requests.dll b/packages/System.Net.Requests.4.3.0/runtimes/unix/lib/netstandard1.3/System.Net.Requests.dll
new file mode 100644
index 0000000..a7fdb30
Binary files /dev/null and b/packages/System.Net.Requests.4.3.0/runtimes/unix/lib/netstandard1.3/System.Net.Requests.dll differ
diff --git a/packages/System.Net.Requests.4.3.0/runtimes/win/lib/net46/_._ b/packages/System.Net.Requests.4.3.0/runtimes/win/lib/net46/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Net.Requests.4.3.0/runtimes/win/lib/netstandard1.3/System.Net.Requests.dll b/packages/System.Net.Requests.4.3.0/runtimes/win/lib/netstandard1.3/System.Net.Requests.dll
new file mode 100644
index 0000000..90c9853
Binary files /dev/null and b/packages/System.Net.Requests.4.3.0/runtimes/win/lib/netstandard1.3/System.Net.Requests.dll differ
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ThirdPartyNotices.txt b/packages/System.Xml.XmlSerializer.4.3.0/ThirdPartyNotices.txt
new file mode 100644
index 0000000..55cfb20
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ThirdPartyNotices.txt
@@ -0,0 +1,31 @@
+This Microsoft .NET Library may incorporate components from the projects listed
+below. Microsoft licenses these components under the Microsoft .NET Library
+software license terms. The original copyright notices and the licenses under
+which Microsoft received such components are set forth below for informational
+purposes only. Microsoft reserves all rights not expressly granted herein,
+whether by implication, estoppel or otherwise.
+
+1. .NET Core (https://github.com/dotnet/core/)
+
+.NET Core
+Copyright (c) .NET Foundation and Contributors
+
+The MIT License (MIT)
+
+Permission is hereby granted, free of charge, to any person obtaining a copy
+of this software and associated documentation files (the "Software"), to deal
+in the Software without restriction, including without limitation the rights
+to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+copies of the Software, and to permit persons to whom the Software is
+furnished to do so, subject to the following conditions:
+
+The above copyright notice and this permission notice shall be included in all
+copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
+SOFTWARE.
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/dotnet_library_license.txt b/packages/System.Xml.XmlSerializer.4.3.0/dotnet_library_license.txt
new file mode 100644
index 0000000..92b6c44
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/dotnet_library_license.txt
@@ -0,0 +1,128 @@
+
+MICROSOFT SOFTWARE LICENSE TERMS
+
+
+MICROSOFT .NET LIBRARY
+
+These license terms are an agreement between Microsoft Corporation (or based on where you live, one of its affiliates) and you. Please read them. They apply to the software named above, which includes the media on which you received it, if any. The terms also apply to any Microsoft
+
+· updates,
+
+· supplements,
+
+· Internet-based services, and
+
+· support services
+
+for this software, unless other terms accompany those items. If so, those terms apply.
+
+BY USING THE SOFTWARE, YOU ACCEPT THESE TERMS. IF YOU DO NOT ACCEPT THEM, DO NOT USE THE SOFTWARE.
+
+
+IF YOU COMPLY WITH THESE LICENSE TERMS, YOU HAVE THE PERPETUAL RIGHTS BELOW.
+
+1. INSTALLATION AND USE RIGHTS.
+
+a. Installation and Use. You may install and use any number of copies of the software to design, develop and test your programs.
+
+b. Third Party Programs. The software may include third party programs that Microsoft, not the third party, licenses to you under this agreement. Notices, if any, for the third party program are included for your information only.
+
+2. ADDITIONAL LICENSING REQUIREMENTS AND/OR USE RIGHTS.
+
+a. DISTRIBUTABLE CODE. The software is comprised of Distributable Code. “Distributable Code” is code that you are permitted to distribute in programs you develop if you comply with the terms below.
+
+i. Right to Use and Distribute.
+
+· You may copy and distribute the object code form of the software.
+
+· Third Party Distribution. You may permit distributors of your programs to copy and distribute the Distributable Code as part of those programs.
+
+ii. Distribution Requirements. For any Distributable Code you distribute, you must
+
+· add significant primary functionality to it in your programs;
+
+· require distributors and external end users to agree to terms that protect it at least as much as this agreement;
+
+· display your valid copyright notice on your programs; and
+
+· indemnify, defend, and hold harmless Microsoft from any claims, including attorneys’ fees, related to the distribution or use of your programs.
+
+iii. Distribution Restrictions. You may not
+
+· alter any copyright, trademark or patent notice in the Distributable Code;
+
+· use Microsoft’s trademarks in your programs’ names or in a way that suggests your programs come from or are endorsed by Microsoft;
+
+· include Distributable Code in malicious, deceptive or unlawful programs; or
+
+· modify or distribute the source code of any Distributable Code so that any part of it becomes subject to an Excluded License. An Excluded License is one that requires, as a condition of use, modification or distribution, that
+
+· the code be disclosed or distributed in source code form; or
+
+· others have the right to modify it.
+
+3. SCOPE OF LICENSE. The software is licensed, not sold. This agreement only gives you some rights to use the software. Microsoft reserves all other rights. Unless applicable law gives you more rights despite this limitation, you may use the software only as expressly permitted in this agreement. In doing so, you must comply with any technical limitations in the software that only allow you to use it in certain ways. You may not
+
+· work around any technical limitations in the software;
+
+· reverse engineer, decompile or disassemble the software, except and only to the extent that applicable law expressly permits, despite this limitation;
+
+· publish the software for others to copy;
+
+· rent, lease or lend the software;
+
+· transfer the software or this agreement to any third party; or
+
+· use the software for commercial software hosting services.
+
+4. BACKUP COPY. You may make one backup copy of the software. You may use it only to reinstall the software.
+
+5. DOCUMENTATION. Any person that has valid access to your computer or internal network may copy and use the documentation for your internal, reference purposes.
+
+6. EXPORT RESTRICTIONS. The software is subject to United States export laws and regulations. You must comply with all domestic and international export laws and regulations that apply to the software. These laws include restrictions on destinations, end users and end use. For additional information, see www.microsoft.com/exporting.
+
+7. SUPPORT SERVICES. Because this software is “as is,” we may not provide support services for it.
+
+8. ENTIRE AGREEMENT. This agreement, and the terms for supplements, updates, Internet-based services and support services that you use, are the entire agreement for the software and support services.
+
+9. APPLICABLE LAW.
+
+a. United States. If you acquired the software in the United States, Washington state law governs the interpretation of this agreement and applies to claims for breach of it, regardless of conflict of laws principles. The laws of the state where you live govern all other claims, including claims under state consumer protection laws, unfair competition laws, and in tort.
+
+b. Outside the United States. If you acquired the software in any other country, the laws of that country apply.
+
+10. LEGAL EFFECT. This agreement describes certain legal rights. You may have other rights under the laws of your country. You may also have rights with respect to the party from whom you acquired the software. This agreement does not change your rights under the laws of your country if the laws of your country do not permit it to do so.
+
+11. DISCLAIMER OF WARRANTY. THE SOFTWARE IS LICENSED “AS-IS.” YOU BEAR THE RISK OF USING IT. MICROSOFT GIVES NO EXPRESS WARRANTIES, GUARANTEES OR CONDITIONS. YOU MAY HAVE ADDITIONAL CONSUMER RIGHTS OR STATUTORY GUARANTEES UNDER YOUR LOCAL LAWS WHICH THIS AGREEMENT CANNOT CHANGE. TO THE EXTENT PERMITTED UNDER YOUR LOCAL LAWS, MICROSOFT EXCLUDES THE IMPLIED WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NON-INFRINGEMENT.
+
+FOR AUSTRALIA – YOU HAVE STATUTORY GUARANTEES UNDER THE AUSTRALIAN CONSUMER LAW AND NOTHING IN THESE TERMS IS INTENDED TO AFFECT THOSE RIGHTS.
+
+12. LIMITATION ON AND EXCLUSION OF REMEDIES AND DAMAGES. YOU CAN RECOVER FROM MICROSOFT AND ITS SUPPLIERS ONLY DIRECT DAMAGES UP TO U.S. $5.00. YOU CANNOT RECOVER ANY OTHER DAMAGES, INCLUDING CONSEQUENTIAL, LOST PROFITS, SPECIAL, INDIRECT OR INCIDENTAL DAMAGES.
+
+This limitation applies to
+
+· anything related to the software, services, content (including code) on third party Internet sites, or third party programs; and
+
+· claims for breach of contract, breach of warranty, guarantee or condition, strict liability, negligence, or other tort to the extent permitted by applicable law.
+
+It also applies even if Microsoft knew or should have known about the possibility of the damages. The above limitation or exclusion may not apply to you because your country may not allow the exclusion or limitation of incidental, consequential or other damages.
+
+Please note: As this software is distributed in Quebec, Canada, some of the clauses in this agreement are provided below in French.
+
+Remarque : Ce logiciel étant distribué au Québec, Canada, certaines des clauses dans ce contrat sont fournies ci-dessous en français.
+
+EXONÉRATION DE GARANTIE. Le logiciel visé par une licence est offert « tel quel ». Toute utilisation de ce logiciel est à votre seule risque et péril. Microsoft n’accorde aucune autre garantie expresse. Vous pouvez bénéficier de droits additionnels en vertu du droit local sur la protection des consommateurs, que ce contrat ne peut modifier. La ou elles sont permises par le droit locale, les garanties implicites de qualité marchande, d’adéquation à un usage particulier et d’absence de contrefaçon sont exclues.
+
+LIMITATION DES DOMMAGES-INTÉRÊTS ET EXCLUSION DE RESPONSABILITÉ POUR LES DOMMAGES. Vous pouvez obtenir de Microsoft et de ses fournisseurs une indemnisation en cas de dommages directs uniquement à hauteur de 5,00 $ US. Vous ne pouvez prétendre à aucune indemnisation pour les autres dommages, y compris les dommages spéciaux, indirects ou accessoires et pertes de bénéfices.
+
+Cette limitation concerne :
+
+· tout ce qui est relié au logiciel, aux services ou au contenu (y compris le code) figurant sur des sites Internet tiers ou dans des programmes tiers ; et
+
+· les réclamations au titre de violation de contrat ou de garantie, ou au titre de responsabilité stricte, de négligence ou d’une autre faute dans la limite autorisée par la loi en vigueur.
+
+Elle s’applique également, même si Microsoft connaissait ou devrait connaître l’éventualité d’un tel dommage. Si votre pays n’autorise pas l’exclusion ou la limitation de responsabilité pour les dommages indirects, accessoires ou de quelque nature que ce soit, il se peut que la limitation ou l’exclusion ci-dessus ne s’appliquera pas à votre égard.
+
+EFFET JURIDIQUE. Le présent contrat décrit certains droits juridiques. Vous pourriez avoir d’autres droits prévus par les lois de votre pays. Le présent contrat ne modifie pas les droits que vous confèrent les lois de votre pays si celles-ci ne le permettent pas.
+
+
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/lib/MonoAndroid10/_._ b/packages/System.Xml.XmlSerializer.4.3.0/lib/MonoAndroid10/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/lib/MonoTouch10/_._ b/packages/System.Xml.XmlSerializer.4.3.0/lib/MonoTouch10/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/lib/net45/_._ b/packages/System.Xml.XmlSerializer.4.3.0/lib/net45/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/lib/netcore50/System.Xml.XmlSerializer.dll b/packages/System.Xml.XmlSerializer.4.3.0/lib/netcore50/System.Xml.XmlSerializer.dll
new file mode 100644
index 0000000..f9928e3
Binary files /dev/null and b/packages/System.Xml.XmlSerializer.4.3.0/lib/netcore50/System.Xml.XmlSerializer.dll differ
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/lib/netstandard1.3/System.Xml.XmlSerializer.dll b/packages/System.Xml.XmlSerializer.4.3.0/lib/netstandard1.3/System.Xml.XmlSerializer.dll
new file mode 100644
index 0000000..7042de6
Binary files /dev/null and b/packages/System.Xml.XmlSerializer.4.3.0/lib/netstandard1.3/System.Xml.XmlSerializer.dll differ
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/lib/portable-net45+win8+wp8+wpa81/_._ b/packages/System.Xml.XmlSerializer.4.3.0/lib/portable-net45+win8+wp8+wpa81/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/lib/win8/_._ b/packages/System.Xml.XmlSerializer.4.3.0/lib/win8/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/lib/wp80/_._ b/packages/System.Xml.XmlSerializer.4.3.0/lib/wp80/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/lib/wpa81/_._ b/packages/System.Xml.XmlSerializer.4.3.0/lib/wpa81/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/lib/xamarinios10/_._ b/packages/System.Xml.XmlSerializer.4.3.0/lib/xamarinios10/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/lib/xamarinmac20/_._ b/packages/System.Xml.XmlSerializer.4.3.0/lib/xamarinmac20/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/lib/xamarintvos10/_._ b/packages/System.Xml.XmlSerializer.4.3.0/lib/xamarintvos10/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/lib/xamarinwatchos10/_._ b/packages/System.Xml.XmlSerializer.4.3.0/lib/xamarinwatchos10/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/MonoAndroid10/_._ b/packages/System.Xml.XmlSerializer.4.3.0/ref/MonoAndroid10/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/MonoTouch10/_._ b/packages/System.Xml.XmlSerializer.4.3.0/ref/MonoTouch10/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/net45/_._ b/packages/System.Xml.XmlSerializer.4.3.0/ref/net45/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/System.Xml.XmlSerializer.dll b/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/System.Xml.XmlSerializer.dll
new file mode 100644
index 0000000..28f0f6a
Binary files /dev/null and b/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/System.Xml.XmlSerializer.dll differ
diff --git a/ModernKeePassLib/bin/Debug/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/System.Xml.XmlSerializer.xml
similarity index 96%
rename from ModernKeePassLib/bin/Debug/System.Xml.XmlSerializer.xml
rename to packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/System.Xml.XmlSerializer.xml
index ab5da38..bc82b1d 100644
--- a/ModernKeePassLib/bin/Debug/System.Xml.XmlSerializer.xml
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/System.Xml.XmlSerializer.xml
@@ -4,21 +4,6 @@
System.Xml.XmlSerializer
-
- Provides custom formatting for XML serialization and deserialization.
-
-
- This method is reserved and should not be used. When implementing the IXmlSerializable interface, you should return null (Nothing in Visual Basic) from this method, and instead, if specifying a custom schema is required, apply the to the class.
- An that describes the XML representation of the object that is produced by the method and consumed by the method.
-
-
- Generates an object from its XML representation.
- The stream from which the object is deserialized.
-
-
- Converts an object into its XML representation.
- The stream to which the object is serialized.
-
Specifies that the member (a field that returns an array of objects) can contain any XML attributes.
@@ -715,21 +700,6 @@
Gets or sets the namespace for the XML root element.
The namespace for the XML element.
-
- When applied to a type, stores the name of a static method of the type that returns an XML schema and a (or for anonymous types) that controls the serialization of the type.
-
-
- Initializes a new instance of the class, taking the name of the static method that supplies the type's XML schema.
- The name of the static method that must be implemented.
-
-
- Gets or sets a value that determines whether the target class is a wildcard, or that the schema for the class has contains only an xs:any element.
- true, if the class is a wildcard, or if the schema contains only the xs:any element; otherwise, false.
-
-
- Gets the name of the static method that supplies the type's XML schema and the name of its XML Schema data type.
- The name of the method that is invoked by the XML infrastructure to return an XML schema.
-
Serializes and deserializes objects into and from XML documents. The enables you to control how objects are encoded into XML.
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/de/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/de/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..842796f
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/de/System.Xml.XmlSerializer.xml
@@ -0,0 +1,890 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ Gibt an, dass der Member (ein Feld, das ein Array von -Objekten zurückgibt) XML-Attribute enthalten kann.
+
+
+ Erstellt eine neue Instanz der -Klasse.
+
+
+ Gibt an, dass der Member (ein Feld, das ein Array von -Objekten oder -Objekten zurückgibt) Objekte enthält, die XML-Elemente darstellen, die keine entsprechenden Member in dem zu serialisierenden oder zu deserialisierenden Objekt aufweisen.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den im XML-Dokument generierten XML-Elementnamen an.
+ Der Name des von generierten XML-Elements.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den im XML-Dokument und dessen XML-Namespace generierten XML-Elementnamen an.
+ Der Name des von generierten XML-Elements.
+ Der XML-Namespace des XML-Elements.
+
+
+ Ruft den XML-Elementnamen ab oder legt diesen fest.
+ Der Name des XML-Elements.
+ Der Elementname eines Arraymembers stimmt nicht mit dem Elementnamen überein, der durch die -Eigenschaft angegeben wird.
+
+
+ Ruft den im XML-Dokument generierten XML-Namespace ab oder legt diesen fest.
+ Ein XML-Namespace.
+
+
+ Ruft die explizite Reihenfolge ab, in der die Elemente serialisiert oder deserialisiert werden, oder legt diese fest.
+ Die Reihenfolge der Codegenerierung.
+
+
+ Stellt eine Auflistung von -Objekten dar.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Fügt der Auflistung ein hinzu.
+ Der Index des neu hinzugefügten .
+ Die zu addierende .
+
+
+ Entfernt alle Objekte aus dem .Diese Methode kann nicht überschrieben werden.
+
+
+ Ruft einen Wert ab, der angibt, ob das angegebene in der Auflistung vorhanden ist.
+ true, wenn das in der Auflistung enthalten ist, andernfalls false.
+ Das gesuchte .
+
+
+ Kopiert die gesamte Auflistung in ein kompatibles eindimensionales Array von -Objekten, beginnend ab dem angegebenen Index im Zielarray.
+ Das eindimensionale Array von -Objekten, in das die Elemente aus der Auflistung kopiert werden.Für das Array muss eine nullbasierte Indizierung verwendet werden.
+ Der nullbasierte Index im , bei dem der Kopiervorgang beginnt.
+
+
+ Ruft die Anzahl der in der -Instanz enthaltenen Elemente ab.
+ Die Anzahl der in der -Instanz enthaltenen Elemente.
+
+
+ Gibt einen Enumerator zurück, der die durchläuft.
+ Ein Enumerator, der das durchläuft.
+
+
+ Ruft den Index der angegebenen ab.
+ Der Index des angegebenen .
+ Das , dessen Index gesucht wird.
+
+
+ Fügt einen am angegebenen Index in die Auflistung ein.
+ Der Index, an dem eingefügt wird.
+ Die einzufügende .
+
+
+ Ruft den am angegebenen Index ab oder legt diesen fest.
+ Ein am angegebenen Index.
+ Der Index des .
+
+
+ Entfernt das angegebene aus der Auflistung.
+ Das zu entfernende .
+
+
+ Entfernt das Element am angegebenen Index aus der .Diese Methode kann nicht überschrieben werden.
+ Der Index des zu entfernenden Elements.
+
+
+ Kopiert die gesamte Auflistung in ein kompatibles eindimensionales Array von -Objekten, beginnend ab dem angegebenen Index im Zielarray.
+ Das eindimensionale Array.
+ Der angegebene Index.
+
+
+ Ruft einen Wert ab, der angibt, ob der Zugriff auf synchronisiert (threadsicher) ist.
+ True, wenn der Zugriff auf die synchronisiert ist; sonst, false.
+
+
+ Ruft ein Objekt ab, mit dem der Zugriff auf synchronisiert werden kann.
+ Ein Objekt, mit dem der Zugriff auf die synchronisiert werden kann.
+
+
+ Fügt am Ende der ein Objekt hinzu.
+ Das hinzugefügte Objekt der Auflistung.
+ Der Wert des Objekts, das der Auflistung hinzugefügt werden soll.
+
+
+ Ermittelt, ob ein bestimmtes Element enthält.
+ True, wenn der ein spezifisches Element enthält; sonst false.
+ Der Wert des Elements.
+
+
+ Sucht das angegebene Objekt und gibt einen null-basierten Index des ersten Auftretens innerhalb der gesamten zurück.
+ Der null-basierte Index des Objekts.
+ Der Wert des Objekts.
+
+
+ Fügt am angegebenen Index ein Element in die ein.
+ Der Index, wo das Element eingefügt wird.
+ Der Wert des Elements.
+
+
+ Ruft einen Wert ab, der angibt, ob eine feste Größe hat.
+ True, wenn das eine feste Größe hat; sonst false.
+
+
+ Ruft einen Wert ab, der angibt, ob das schreibgeschützt ist.
+ True, wenn das schreibgeschützt ist, andernfalls false.
+
+
+ Ruft das Element am angegebenen Index ab oder legt dieses fest.
+ Das Element am angegebenen Index.
+ Der Index des Elements.
+
+
+ Entfernt das erste Vorkommen eines angegebenen Objekts aus der .
+ Der Wert des Objekts, das entfernt wurde.
+
+
+ Gibt an, dass ein spezieller Klassenmember als Array von XML-Elementen serialisieren muss.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den in der XML-Dokumentinstanz generierten XML-Elementnamen an.
+ Der Name des von generierten XML-Elements.
+
+
+ Ruft den für das serialisierte Array angegebenen XML-Elementnamen ab oder legt diesen fest.
+ Der XML-Elementname des serialisierten Arrays.Der Standardname ist der Name des Members, dem zugewiesen ist.
+
+
+ Ruft einen Wert ab, der angibt, ob der von generierte XML-Elementname gekennzeichnet oder nicht gekennzeichnet ist, oder legt diesen fest.
+ Einer der -Werte.Die Standardeinstellung ist XmlSchemaForm.None.
+
+
+ Ruft einen Wert ab, der angibt, ob einen Member als leeres XML-Tag, bei dem das xsi:nil-Attribut auf true festgelegt ist, serialisieren muss, oder legt diesen fest.
+ true, wenn das xsi:nil-Attribut generiert, andernfalls false.
+
+
+ Ruft den Namespace des XML-Elements ab oder legt diesen fest.
+ Der Namespace des XML-Elements.
+
+
+ Ruft die explizite Reihenfolge ab, in der die Elemente serialisiert oder deserialisiert werden, oder legt diese fest.
+ Die Reihenfolge der Codegenerierung.
+
+
+ Stellt ein Attribut dar, das die abgeleiteten Typen angibt, welche der in ein serialisiertes Array einfügen kann.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den Namen des im XML-Dokument generierten XML-Elements an.
+ Der Name des XML-Elements.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den Namen des im XML-Dokument generierten XML-Elements sowie den an, der in das generierte XML-Dokument eingefügt werden kann.
+ Der Name des XML-Elements.
+ Der des zu serialisierenden Objekts.
+
+
+ Initialisiert eine Instanz der -Klasse und gibt den an, der in das serialisierte Array eingefügt werden kann.
+ Der des zu serialisierenden Objekts.
+
+
+ Ruft den XML-Datentyp des generierten XML-Elements ab oder legt diesen fest.
+ Ein Datentyp für die XML-Schemadefinition (XSD) laut Definition im Dokument "XML Schema Part 2: DataTypes" des World Wide Web Consortium (www.w3.org ).
+
+
+ Ruft den Namen des generierten XML-Elements ab oder legt diesen fest.
+ Der Name des generierten XML-Elements.Der Standardwert ist der Memberbezeichner.
+
+
+ Ruft einen Wert ab, der angibt, ob der Name des generierten XML-Elements gekennzeichnet ist, oder legt diesen fest.
+ Einer der -Werte.Die Standardeinstellung ist XmlSchemaForm.None.
+ Die -Eigenschaft wird auf XmlSchemaForm.Unqualified festgelegt, und es wird ein -Wert angegeben.
+
+
+ Ruft einen Wert ab, der angibt, ob einen Member als leeres XML-Tag, bei dem das xsi:nil-Attribut auf true festgelegt ist, serialisieren muss, oder legt diesen fest.
+ true, wenn das xsi:nil-Attribut generiert, andernfalls false, und es wird keine Instanz generiert.Die Standardeinstellung ist true.
+
+
+ Ruft den Namespace des generierten XML-Elements ab oder legt diesen fest.
+ Der Namespace des generierten XML-Elements.
+
+
+ Ruft die Ebene in einer Hierarchie von XML-Elementen ab, auf die das angewendet wird, oder legt diese fest.
+ Der nullbasierte Index einer Reihe von Indizes in einem Array von Arrays.
+
+
+ Ruft den in einem Array zulässigen Typ ab oder legt diesen fest.
+ Ein , der in dem Array zulässig ist.
+
+
+ Stellt eine Auflistung von -Objekten dar.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Fügt der Auflistung ein hinzu.
+ Der Index des hinzugefügten Elements.
+ Das , das der Auflistung hinzugefügt werden soll.
+
+
+ Entfernt alle Elemente aus der .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Gibt an, ob die Auflistung das angegebene enthält.
+ true, wenn die Auflistung die angegebene enthält, andernfalls false.
+ Der zu überprüfende .
+
+
+ Kopiert ein -Array in die Auflistung, beginnend am angegebenen Zielindex.
+ Das Array von -Objekten, die in die Auflistung kopiert werden sollen.
+ Der Index, ab dem mit dem Kopieren der Attribute begonnen wird.
+
+
+ Ruft die Anzahl der Elemente ab, die in enthalten sind.
+ Die Anzahl der Elemente, die in enthalten sind.
+
+
+ Gibt einen Enumerator für die gesamte zurück.
+ Ein für das gesamte .
+
+
+ Gibt einen null-basierten Index des ersten Auftretens der angegebenen in der Auflistung zurück oder -1, wenn das Attribut in der Auflistung nicht gefunden wird.
+ Der erste Index des in der Auflistung, oder -1, wenn das Attribut in der Auflistung nicht gefunden wurde.
+ Die , die in der Auflistung gesucht werden soll.
+
+
+ Fügt einen am angegebenen Index in die Auflistung ein.
+ Der Index, an dem das Attribut eingefügt wird.
+ Das einzufügende .
+
+
+ Ruft das Element am angegebenen Index ab oder legt dieses fest.
+ Der am angegebenen Index.
+ Der nullbasierte Index des Auflistungsmembers, der abgerufen oder festgelegt werden soll.
+
+
+ Entfernt ein aus der Auflistung, sofern vorhanden.
+ Das zu entfernende .
+
+
+ Entfernt das -Element am angegebenen Index.
+ Der nullbasierte Index des zu entfernenden Elements.
+
+ ist kein gültiger Index in der .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Kopiert die gesamte in ein kompatibles eindimensionales , beginnend am angegebenen Index des Zielarrays.
+ Das eindimensionale , das das Ziel der aus der kopierten Elemente ist.Für das muss eine nullbasierte Indizierung verwendet werden.
+
+
+ Ruft einen Wert ab, der angibt, ob der Zugriff auf synchronisiert (threadsicher) ist.
+ true, wenn der Zugriff auf das synchronisiert (threadsicher) ist, andernfalls false.
+
+
+
+ Fügt am Ende der ein Objekt hinzu.
+ Der -Index, an dem hinzugefügt wurde.
+ Der , der am Ende der hinzugefügt werden soll.Der Wert kann null sein.
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Gibt an, ob die Auflistung das angegebene enthält.
+ true, wenn die Auflistung die angegebene enthält, andernfalls false.
+
+
+ Gibt einen null-basierten Index des ersten Auftretens der angegebenen in der Auflistung zurück oder -1, wenn das Attribut in der Auflistung nicht gefunden wird.
+ Der erste Index des in der Auflistung, oder -1, wenn das Attribut in der Auflistung nicht gefunden wurde.
+
+
+ Fügt am angegebenen Index ein Element in die ein.
+ Der nullbasierte Index, an dem eingefügt werden soll.
+ Die einzufügende .Der Wert kann null sein.
+
+ ist kleiner als 0.– oder – ist größer als .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Ruft einen Wert ab, der angibt, ob eine feste Größe hat.
+ true, wenn eine feste Größe hat, andernfalls false.
+
+
+ Ruft einen Wert ab, der angibt, ob das schreibgeschützt ist.
+ true, wenn das schreibgeschützt ist, andernfalls false.
+
+
+ Ruft das Element am angegebenen Index ab oder legt dieses fest.
+ Der am angegebenen Index.
+ Der nullbasierte Index des Auflistungsmembers, der abgerufen oder festgelegt werden soll.
+
+
+ Entfernt das erste Vorkommen eines angegebenen Objekts aus der .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Gibt an, dass den Klassenmember als XML-Attribut serialisieren muss.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den Namen des generierten XML-Attributs an.
+ Der Name des von generierten XML-Attributs.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+ Der Name des generierten XML-Attributs.
+ Der zum Speichern des Attributs verwendete .
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+ Der zum Speichern des Attributs verwendete .
+
+
+ Ruft den Namen des XML-Attributs ab oder legt diesen fest.
+ Der Name des XML-Attributs.Der Standardwert ist der Membername.
+
+
+ Ruft den XSD-Datentyp des vom generierten XML-Attributs ab oder legt diesen fest.
+ Ein XSD (XML Schema Document)-Datentyp laut Definition im Dokument "XML Schema: DataTypes" des World Wide Web Consortium (www.w3.org ).
+
+
+ Ruft einen Wert ab, der angibt, ob der von generierte XML-Attributname gekennzeichnet ist, oder legt diesen fest.
+ Einer der -Werte.Die Standardeinstellung ist XmlForm.None.
+
+
+ Ruft den XML-Namespace des XML-Attributs ab oder legt diesen fest.
+ Der XML-Namespace des XML-Attributs.
+
+
+ Ruft den komplexen Typ des XML-Attributs ab oder legt diesen fest.
+ Der Typ des XML-Attributs.
+
+
+ Ermöglicht das Überschreiben der Attribute von Eigenschaften, Feldern und Klassen beim Serialisieren oder Deserialisieren eines Objekts mit .
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Fügt der Auflistung von -Objekten ein -Objekt hinzu.Der -Parameter gibt ein Objekt an, das überschrieben werden soll.Der -Parameter gibt den Namen des zu überschreibenden Members an.
+ Der des zu überschreibenden Objekts.
+ Der Name des zu überschreibenden Members.
+ Ein -Objekt, das die überschreibenden Attribute darstellt.
+
+
+ Fügt der Auflistung von -Objekten ein -Objekt hinzu.Der -Parameter gibt ein Objekt an, das vom -Objekt überschrieben werden soll.
+ Der des Objekts, das überschrieben wird.
+ Ein -Objekt, das die überschreibenden Attribute darstellt.
+
+
+ Ruft das dem angegebenen Basisklassentyp zugeordnete Objekt ab.
+ Ein , das die Auflistung der überschreibenden Attribute darstellt.
+ Die -Basisklasse, die der Auflistung der abzurufenden Attribute zugeordnet ist.
+
+
+ Ruft das dem angegebenen (Basisklassen-)Typ zugeordnete Objekt ab.Durch den member-Parameter wird der zu überschreibende Member der Basisklasse angegeben.
+ Ein , das die Auflistung der überschreibenden Attribute darstellt.
+ Die -Basisklasse, die der Auflistung der gewünschten Attribute zugeordnet ist.
+ Der Name des überschriebenen Member, der das zurückzugebende angibt.
+
+
+ Stellt eine Auflistung von Attributobjekten dar, die steuern, wie der Objekte serialisiert und deserialisiert.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Ruft das zu überschreibende ab oder legt dieses fest.
+ Das zu überschreibende .
+
+
+ Ruft die Auflistung der zu überschreibenden -Objekte ab.
+ Das , das die Auflistung der -Objekte darstellt.
+
+
+ Ruft ein Objekt ab, das angibt, wie ein öffentliches Feld oder eine Lese-/Schreibeigenschaft serialisiert, die ein Array zurückgibt, oder legt dieses fest.
+ Ein , das angibt, wie ein öffentliches Feld oder eine Lese-/Schreibeigenschaft serialisiert, die ein Array zurückgibt.
+
+
+ Ruft eine Auflistung von Objekten ab, die die von verwendete Serialisierung von Elementen angeben, die in ein von öffentlichen Feldern oder Lese-/Schreibeigenschaften zurückgegebenes Array eingefügt wurden, oder legt diese fest.
+ Ein -Objekt, das eine Auflistung von -Objekten enthält.
+
+
+ Ruft ein Objekt ab, das angibt, wie ein öffentliches Feld oder eine öffentliche Lese-/Schreibeigenschaft als XML-Attribut serialisiert, oder legt dieses fest.
+ Ein , das die Serialisierung eines öffentlichen Felds oder einer Lese-/Schreibeigenschaft als XML-Attribut steuert.
+
+
+ Ruft ein Objekt ab, mit dem Sie eine Reihe von Auswahlmöglichkeiten unterscheiden können, oder legt dieses fest.
+ Ein , das auf einen Klassenmember angewendet werden kann, der als xsi:choice-Element serialisiert wird.
+
+
+ Ruft den Standardwert eines XML-Elements oder -Attributs ab oder legt diesen fest.
+ Ein , das den Standardwert eines XML-Elements oder -Attributs darstellt.
+
+
+ Ruft eine Auflistung von Objekten ab, die angeben, wie öffentliche Felder oder Lese-/Schreibeigenschaften von als XML-Elemente serialisiert werden, oder legt diese fest.
+ Ein , das eine Auflistung von -Objekten enthält.
+
+
+ Ruft ein Objekt ab, das angibt, wie einen Enumerationsmember serialisiert, oder legt dieses fest.
+ Ein , das angibt, auf welche Weise ein Enumerationsmember von serialisiert wird.
+
+
+ Ruft einen Wert ab, der angibt, ob ein öffentliches Feld oder eine öffentliche Lese-/Schreibeigenschaft serialisiert, oder legt diesen fest.
+ true, wenn das Feld oder die Eigenschaft nicht serialisieren soll, andernfalls false.
+
+
+ Ruft einen Wert ab, der angibt, ob alle Namespacedeklarationen beibehalten werden sollen, wenn ein Objekt überschrieben wird, das einen Member enthält, der ein -Objekt zurückgibt, oder legt diesen fest.
+ true, wenn die Namespacedeklarationen beibehalten werden sollen, andernfalls false.
+
+
+ Ruft ein Objekt ab, das angibt, wie eine Klasse als XML-Stammelement serialisiert, oder legt dieses fest.
+ Ein , das eine Klasse überschreibt, die als XML-Stammelement attributiert ist.
+
+
+ Ruft ein Objekt ab, mit dem angewiesen wird, ein öffentliches Feld oder eine öffentliche Lese-/Schreibeigenschaft als XML-Text zu serialisieren, oder legt dieses fest.
+ Ein , das die Standardserialisierung öffentlicher Eigenschaften oder Felder überschreibt.
+
+
+ Ruft ein Objekt ab, das angibt, wie eine Klasse serialisiert, der das zugewiesen wurde, oder legt dieses fest.
+ Ein , das ein überschreibt, das einer Klassendeklaration zugewiesen wurde.
+
+
+ Gibt an, dass der Member durch Verwenden einer Enumeration eindeutig bestimmt werden kann.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+ Der Membername, der die Enumeration zurückgibt, mit der eine Auswahl bestimmt wird.
+
+
+ Ruft den Namen des Felds ab, das die Enumeration zurückgibt, mit der Typen bestimmt werden, oder legt diesen fest.
+ Der Name eines Felds, das eine Enumeration zurückgibt.
+
+
+ Gibt an, dass ein öffentliches Feld oder eine öffentliche Eigenschaft beim Serialisieren bzw. Deserialisieren des Objekts, in dem diese enthalten sind, durch ein XML-Element darstellt.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den Namen des XML-Elements an.
+ Der XML-Elementname des serialisierten Members.
+
+
+ Initialisiert eine neue Instanz von , und gibt den Namen des XML-Elements und einen abgeleiteten Typ für den Member an, auf den das angewendet wird.Dieser Membertyp wird verwendet, wenn der das Objekt serialisiert, in dem es enthalten ist.
+ Der XML-Elementname des serialisierten Members.
+ Der eines Objekts, das vom Typ des Members abgeleitet ist.
+
+
+ Initialisiert eine neues Instanz der -Klasse und gibt einen Typ für den Member an, auf den das angewendet wird.Dieser Typ wird vom verwendet, wenn das Objekt serialisiert oder deserialisiert wird, in dem es enthalten ist.
+ Der eines Objekts, das vom Typ des Members abgeleitet ist.
+
+
+ Ruft den XSD (XML Schema Definition)-Datentyp des vom generierten XML-Elements ab oder legt diesen fest.
+ Ein XML-Schemadatentyp laut Definition im Dokument "XML Schema Part 2: Datatypes" des World Wide Web Consortium (www.w3.org ).
+ Der angegebene XML-Schemadatentyp kann dem .NET-Datentyp nicht zugeordnet werden.
+
+
+ Ruft den Namen des generierten XML-Elements ab oder legt diesen fest.
+ Der Name des generierten XML-Elements.Der Standardwert ist der Memberbezeichner.
+
+
+ Ruft einen Wert ab, der angibt, ob das Element qualifiziert ist.
+ Einer der -Werte.Die Standardeinstellung ist .
+
+
+ Ruft einen Wert ab, der angibt, ob einen Member, der auf null festgelegt ist, als leeres Tag, dessen xsi:nil-Attribut auf true festgelegt ist, serialisieren muss, oder legt diesen fest.
+ true, wenn das xsi:nil-Attribut generiert, andernfalls false.
+
+
+ Ruft den Namespace ab, der dem XML-Element zugeordnet ist, das aus dem Serialisieren der Klasse resultiert, oder legt diesen fest.
+ Der Namespace des XML-Elements.
+
+
+ Ruft die explizite Reihenfolge ab, in der die Elemente serialisiert oder deserialisiert werden, oder legt diese fest.
+ Die Reihenfolge der Codegenerierung.
+
+
+ Ruft den Objekttyp ab, mit dem das XML-Element dargestellt wird, oder legt diesen fest.
+ Der des Members.
+
+
+ Stellt eine Auflistung von -Objekten dar, die vom zum Überschreiben des Standardverfahrens für die Serialisierung einer Klasse verwendet wird.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Fügt der Auflistung ein hinzu.
+ Der nullbasierte Index des neu hinzugefügten Elements.
+ Die zu addierende .
+
+
+ Entfernt alle Elemente aus der .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Ermittelt, ob die Auflistung das angegebene Objekt enthält.
+ true, wenn das Objekt in der Aufzählung vorhanden ist; sonst false.
+ Das zu suchende -Element.
+
+
+ Kopiert das oder einen Teil davon in ein eindimensionales Array.
+ Das -Array, welches die kopierten Elemente enthält.
+ Der nullbasierte Index im , bei dem der Kopiervorgang beginnt.
+
+
+ Ruft die Anzahl der Elemente ab, die in enthalten sind.
+ Die Anzahl der Elemente, die in enthalten sind.
+
+
+ Gibt einen Enumerator für die gesamte zurück.
+ Ein für das gesamte .
+
+
+ Ruft den Index der angegebenen ab.
+ Der nullbasierte Index von .
+ Die dessen Index abgerufen wird.
+
+
+ Fügt ein in die Auflistung ein.
+ Der null-basierte Index, wo der Member eingefügt wurde.
+ Die einzufügende .
+
+
+ Ruft das Element am angegebenen Index ab oder legt dieses fest.
+ Das Element am angegebenen Index.
+ Der nullbasierte Index des Elements, das abgerufen oder festgelegt werden soll.
+
+ ist kein gültiger Index in der .
+ Die Eigenschaft wird festgelegt, und die ist schreibgeschützt.
+
+
+ Entfernt das angegebene Objekt aus der Auflistung.
+ Das aus der Auflistung zu entfernende .
+
+
+ Entfernt das -Element am angegebenen Index.
+ Der nullbasierte Index des zu entfernenden Elements.
+
+ ist kein gültiger Index in der .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Kopiert die gesamte in ein kompatibles eindimensionales , beginnend am angegebenen Index des Zielarrays.
+ Das eindimensionale , das das Ziel der aus der kopierten Elemente ist.Für das muss eine nullbasierte Indizierung verwendet werden.
+
+
+ Ruft einen Wert ab, der angibt, ob der Zugriff auf synchronisiert (threadsicher) ist.
+ true, wenn der Zugriff auf das synchronisiert (threadsicher) ist, andernfalls false.
+
+
+ Ruft ein Objekt ab, mit dem der Zugriff auf synchronisiert werden kann.
+ Ein Objekt, mit dem der Zugriff auf die synchronisiert werden kann.
+
+
+ Fügt am Ende der ein Objekt hinzu.
+ Der -Index, an dem hinzugefügt wurde.
+ Der , der am Ende der hinzugefügt werden soll.Der Wert kann null sein.
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Ermittelt, ob die einen bestimmten Wert enthält.
+ true, wenn in gefunden wird, andernfalls false.
+ Das im zu suchende Objekt.
+
+
+ Bestimmt den Index eines bestimmten Elements in der .
+ Der Index von , wenn das Element in der Liste gefunden wird, andernfalls -1.
+ Das im zu suchende Objekt.
+
+
+ Fügt am angegebenen Index ein Element in die ein.
+ Der nullbasierte Index, an dem eingefügt werden soll.
+ Die einzufügende .Der Wert kann null sein.
+
+ ist kleiner als 0.– oder – ist größer als .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Ruft einen Wert ab, der angibt, ob eine feste Größe hat.
+ true, wenn eine feste Größe hat, andernfalls false.
+
+
+ Ruft einen Wert ab, der angibt, ob das schreibgeschützt ist.
+ true, wenn das schreibgeschützt ist, andernfalls false.
+
+
+ Ruft das Element am angegebenen Index ab oder legt dieses fest.
+ Das Element am angegebenen Index.
+ Der nullbasierte Index des Elements, das abgerufen oder festgelegt werden soll.
+
+ ist kein gültiger Index in der .
+ Die Eigenschaft wird festgelegt, und die ist schreibgeschützt.
+
+
+ Entfernt das erste Vorkommen eines angegebenen Objekts aus der .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Steuert die Art, in der einen Enumerationsmember serialisiert.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse, und gibt den XML-Wert an, der von beim Serialisieren der Enumeration generiert bzw. beim Deserialisieren erkannt wird.
+ Der überschreibende Name des Enumerationsmember.
+
+
+ Ruft den Wert ab, der bei der Serialisierung einer Enumeration durch in einer XML-Dokumentinstanz generiert wurde bzw. bei der Deserialisierung eines Enumerationsmembers erkannt wurde, oder legt diesen fest.
+ Der Wert, der bei der Serialisierung einer Enumeration durch in einer XML-Dokumentinstanz generiert bzw. bei der Deserialisierung eines Enumerationsmembers erkannt wurde.
+
+
+ Weist die -Methode von an, den Eigenschaftswert des öffentlichen Felds oder des öffentlichen Lese-/Schreibzugriffs nicht zu serialisieren.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Ermöglicht dem das Erkennen eines Typs beim Serialisieren oder Deserialisieren eines Objekts.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+ Der des aufzunehmenden Objekts.
+
+
+ Ruft den Typ des aufzunehmenden Objekts ab oder legt diesen fest.
+ Der des aufzunehmenden Objekts.
+
+
+ Gibt an, dass Zieleigenschaft, Zielparameter, Zielrückgabewert oder Zielklassenmember Präfixe enthalten, die den innerhalb eines XML-Dokuments verwendeten Namespaces zugeordnet werden.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Steuert die XML-Serialisierung des Attributziels als XML-Stammelement.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den Namen des XML-Stammelements an.
+ Der Name des XML-Stammelements.
+
+
+ Ruft den XSD-Datentyp des XML-Stammelements ab oder legt diesen fest.
+ Ein XSD (XML Schema Document)-Datentyp laut Definition im Dokument "XML Schema: DataTypes" des World Wide Web Consortium (www.w3.org ).
+
+
+ Ruft den Namen des von der -Methode bzw. der -Methode der -Klasse generierten bzw. erkannten XML-Elements ab, oder legt diesen fest.
+ Der Name des für eine XML-Dokumentinstanz generierten und erkannten XML-Stammelements.Der Standardwert ist der Name der serialisierten Klasse.
+
+
+ Ruft einen Wert ab, der angibt, ob einen auf null festgelegten Member in das auf true festgelegte xsi:nil-Attribut serialisieren muss, oder legt diesen fest.
+ true, wenn das xsi:nil-Attribut generiert, andernfalls false.
+
+
+ Ruft den Namespace des XML-Stammelements ab oder legt diesen fest.
+ Der Namespace des XML-Elements.
+
+
+ Serialisiert und deserialisiert Objekte in und aus XML-Dokumenten.Mit können Sie steuern, wie Objekte in XML codiert werden.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse, die Objekte des angegebenen Typs in XML-Dokumente serialisieren und XML-Dokumente in Objekte des angegebenen Typs deserialisieren kann.
+ Der Objekttyp, den dieser serialisieren kann.
+
+
+ Initialisiert eine neue Instanz der -Klasse, die Objekte des angegebenen Typs in XML-Dokumente serialisieren und XML-Dokumente in Objekte des angegebenen Typs deserialisieren kann.Gibt den Standardnamespace für alle XML-Elemente an.
+ Der Objekttyp, den dieser serialisieren kann.
+ Der für alle XML-Elemente zu verwendende Standardnamespace.
+
+
+ Initialisiert eine neue Instanz der -Klasse, die Objekte des angegebenen Typs in XML-Dokumente serialisieren und XML-Dokumente in ein Objekt eines angegebenen Typs deserialisieren kann.Wenn eine Eigenschaft oder ein Feld ein Array zurückgibt, werden durch den -Parameter die Objekte angegeben, die in das Array eingefügt werden können.
+ Der Objekttyp, den dieser serialisieren kann.
+ Ein -Array mit zusätzlich zu serialisierenden Objekttypen.
+
+
+ Initialisiert eine neue Instanz der -Klasse, die Objekte des angegebenen Typs in XML-Dokumente serialisieren und XML-Dokumente in Objekte des angegebenen Typs deserialisieren kann.Jedes zu serialisierende Objekt kann selbst Instanzen von Klassen enthalten, die von dieser Überladung durch andere Klassen überschrieben werden können.
+ Der Typ des zu serialisierenden Objekts.
+ Ein .
+
+
+ Initialisiert eine neue Instanz der -Klasse, die Objekte vom Typ in Instanzen eines XML-Dokuments serialisieren und Instanzen eines XML-Dokuments in Objekte vom Typ deserialisieren kann.Jedes zu serialisierende Objekt kann selbst Instanzen von Klassen enthalten, die von dieser Überladung durch andere Klassen überschrieben werden können.Diese Überladung gibt außerdem den Standardnamespace für alle XML-Elemente sowie die als XML-Stammelement zu verwendende Klasse an.
+ Der Objekttyp, den dieser serialisieren kann.
+ Ein , das das Verhalten der im -Parameter festgelegten Klasse erweitert oder überschreibt.
+ Ein -Array mit zusätzlich zu serialisierenden Objekttypen.
+ Ein , das die Eigenschaften des XML-Stammelements definiert.
+ Der Standardnamespace aller XML-Elemente im XML-Dokument.
+
+
+ Initialisiert eine neue Instanz der -Klasse, die Objekte des angegebenen Typs in XML-Dokumente serialisieren und ein XML-Dokument in ein Objekt des angegebenen Typs deserialisieren kann.Außerdem wird die als XML-Stammelement zu verwendende Klasse angegeben.
+ Der Objekttyp, den dieser serialisieren kann.
+ Ein , das das XML-Stammelement darstellt.
+
+
+ Ruft einen Wert ab, der angibt, ob dieser ein angegebenes XML-Dokument deserialisieren kann.
+ true, wenn dieser das Objekt deserialisieren kann, auf das zeigt, andernfalls false.
+ Ein , der auf das zu deserialisierende Dokument zeigt.
+
+
+ Deserialisiert das im angegebenen enthaltene XML-Dokument.
+ Das , das deserialisiert wird.
+ Der mit dem zu deserialisierenden XML-Dokument.
+
+
+ Deserialisiert das im angegebenen enthaltene XML-Dokument.
+ Das , das deserialisiert wird.
+ Der mit dem zu deserialisierenden XML-Dokument.
+ Bei der Deserialisierung ist ein Fehler aufgetreten.Die ursprüngliche Ausnahme ist mithilfe der -Eigenschaft verfügbar.
+
+
+ Deserialisiert das im angegebenen enthaltene XML-Dokument.
+ Das , das deserialisiert wird.
+ Der mit dem zu deserialisierenden XML-Dokument.
+ Bei der Deserialisierung ist ein Fehler aufgetreten.Die ursprüngliche Ausnahme ist mithilfe der -Eigenschaft verfügbar.
+
+
+ Gibt ein Array von -Objekten zurück, das aus einem Array von Typen erstellt wurde.
+ Ein Array von -Objekten.
+ Ein Array von -Objekten.
+
+
+ Serialisiert das angegebene und schreibt das XML-Dokument über den angegebenen in eine Datei.
+ Der zum Schreiben des XML-Dokuments verwendete .
+ Das zu serialisierende .
+ Bei der Serialisierung ist ein Fehler aufgetreten.Die ursprüngliche Ausnahme ist mithilfe der -Eigenschaft verfügbar.
+
+
+ Serialisiert das angegebene und schreibt das XML-Dokument unter Verwendung des angegebenen in eine Datei, wobei auf die angegebenen Namespaces verwiesen wird.
+ Der zum Schreiben des XML-Dokuments verwendete .
+ Das zu serialisierende .
+ Die , auf die das Objekt verweist.
+ Bei der Serialisierung ist ein Fehler aufgetreten.Die ursprüngliche Ausnahme ist mithilfe der -Eigenschaft verfügbar.
+
+
+ Serialisiert das angegebene und schreibt das XML-Dokument über den angegebenen in eine Datei.
+ Der zum Schreiben des XML-Dokuments verwendete .
+ Das zu serialisierende .
+
+
+ Serialisiert das angegebene und schreibt das XML-Dokument unter Verwendung des angegebenen in eine Datei, wobei auf die angegebenen Namespaces verwiesen wird.
+ Der zum Schreiben des XML-Dokuments verwendete .
+ Das zu serialisierende .
+ Das , das die Namespaces für das generierte XML-Dokument enthält.
+ Bei der Serialisierung ist ein Fehler aufgetreten.Die ursprüngliche Ausnahme ist mithilfe der -Eigenschaft verfügbar.
+
+
+ Serialisiert das angegebene und schreibt das XML-Dokument über den angegebenen in eine Datei.
+ Der zum Schreiben des XML-Dokuments verwendete .
+ Das zu serialisierende .
+ Bei der Serialisierung ist ein Fehler aufgetreten.Die ursprüngliche Ausnahme ist mithilfe der -Eigenschaft verfügbar.
+
+
+ Serialisiert das angegebene und schreibt das XML-Dokument unter Verwendung des angegebenen in eine Datei, wobei auf die angegebenen Namespaces verwiesen wird.
+ Der zum Schreiben des XML-Dokuments verwendete .
+ Das zu serialisierende .
+ Die , auf die das Objekt verweist.
+ Bei der Serialisierung ist ein Fehler aufgetreten.Die ursprüngliche Ausnahme ist mithilfe der -Eigenschaft verfügbar.
+
+
+ Enthält die XML-Namespaces und Präfixe, die von zum Generieren vollständiger Namen in einer XML-Dokumentinstanz verwendet werden.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse unter Verwendung der angegebenen Instanz von XmlSerializerNamespaces mit einer Auflistung von Paaren aus Präfix und Namespace.
+ Eine Instanz des , die die Paare aus Namespace und Präfix enthält.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+ Ein Array von -Objekten.
+
+
+ Fügt einem -Objekt ein Paar aus Präfix und Namespace hinzu.
+ Das einem XML-Namespace zugeordnete Präfix.
+ Ein XML-Namespace.
+
+
+ Ruft die Anzahl der Paare aus Präfix und Namespace in der Auflistung ab.
+ Die Anzahl der Paare aus Präfix und Namespace in der Auflistung.
+
+
+ Ruft das Array von Paaren aus Präfix und Namespace von einem -Objekt ab.
+ Ein Array von -Objekten, die als gekennzeichneter Name in einem XML-Dokument verwendet werden.
+
+
+ Gibt dem an, dass der Member beim Serialisieren oder Deserialisieren der Klasse, in der er enthalten ist, als XML-Text behandelt werden muss.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+ Der des zu serialisierenden Members.
+
+
+ Ruft den XSD (XML Schema Definition)-Datentyp des von generierten Textes ab oder legt diesen fest.
+ Ein Datentyp für das XML (XSD)-Schema laut Definition im Dokument "XML Schema Part 2: Datatypes" des World Wide Web Consortium (www.w3.org ).
+ Der angegebene XML-Schemadatentyp kann dem .NET-Datentyp nicht zugeordnet werden.
+ Der angegebene XML-Schemadatentyp ist für die Eigenschaft nicht zulässig und kann nicht in den Membertyp konvertiert werden.
+
+
+ Ruft den Typ des Members ab oder legt diesen fest.
+ Der des Members.
+
+
+ Steuert das XML-Schema, das generiert wird, wenn das Attributziel vom serialisiert wird.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den Namen des XML-Typs an.
+ Der Name des XML-Typs, der vom beim Serialisieren einer Klasseninstanz generiert bzw. beim Deserialisieren der Klasseninstanz erkannt wird.
+
+
+ Ruft einen Wert ab, der bestimmt, ob der resultierende Schematyp ein anonymer XSD-Typ ist, oder legt diesen fest.
+ true, wenn der resultierende Schematyp ein anonymer XSD-Typ ist, andernfalls false.
+
+
+ Ruft einen Wert ab, der angibt, ob der Typ in XML-Schemadokumente aufgenommen werden soll, oder legt diesen fest.
+ true, wenn der Typ in XML-Schemadokumente aufgenommen werden soll, andernfalls false.
+
+
+ Ruft den Namespace des XML-Typs ab oder legt diesen fest.
+ Der Namespace des XML-Typs.
+
+
+ Ruft den Namen des XML-Typs ab oder legt diesen fest.
+ Der Name des XML-Typs.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/es/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/es/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..49ad6c0
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/es/System.Xml.XmlSerializer.xml
@@ -0,0 +1,961 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ Especifica que el miembro (un campo que devuelve una matriz de objetos ) puede contener cualquier atributo XML.
+
+
+ Construye una nueva instancia de la clase .
+
+
+ Especifica que el miembro (un campo que devuelve una matriz de objetos o ) contiene objetos que representan los elementos XLM que no tienen un miembro correspondiente en el objeto que se está serializando o deserializando.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase y especifica el nombre del elemento XML generado en el documento XML.
+ Nombre del elemento XML que genera .
+
+
+ Inicializa una nueva instancia de la clase y especifica el nombre del elemento XML generado en el documento XML y su espacio de nombres XML.
+ Nombre del elemento XML que genera .
+ Espacio de nombres XML del elemento XML.
+
+
+ Obtiene o establece el nombre del elemento XML.
+ Nombre del elemento XML.
+ El nombre de elemento de un miembro de la matriz no coincide con el nombre de elemento especificado por la propiedad .
+
+
+ Obtiene o establece el espacio de nombres XML generado en el documento XML.
+ Espacio de nombres XML.
+
+
+ Obtiene o establece el orden explícito en el que los elementos son serializados o deserializados.
+ Orden de la generación de código.
+
+
+ Representa una colección de objetos .
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Agrega un objeto a la colección.
+ Índice del objeto que se acaba de agregar.
+
+ que se va a sumar.
+
+
+ Quita todos los objetos de la colección .Este método no se puede reemplazar.
+
+
+ Obtiene un valor que indica si el especificado existe en la colección.
+ Es true si el objeto existe en la colección; en caso contrario, es false.
+
+ que interesa al usuario.
+
+
+ Copia los objetos de la colección en una matriz unidimensional compatible, empezando por el índice especificado de la matriz de destino.
+ Matriz unidimensional de objetos que constituye el destino de los elementos copiados de la colección.La matriz debe tener una indización de base cero.
+ Índice de base cero de en el que empieza la operación de copia.
+
+
+ Obtiene el número de elementos incluidos en la instancia de .
+ Número de elementos incluidos en la instancia de .
+
+
+ Devuelve un enumerador que recorre en iteración la colección .
+ Un enumerador que itera por la colección .
+
+
+ Obtiene el índice del objeto especificado.
+ Índice del objeto especificado.
+
+ cuyo índice se desea obtener.
+
+
+ Inserta un objeto en el índice especificado de la colección.
+ Índice donde se insertará el objeto .
+
+ que se va a insertar.
+
+
+ Obtiene o establece el objeto en el índice especificado.
+
+ situado en el índice especificado.
+ Índice del objeto .
+
+
+ Quita el especificado de la colección.
+
+ que se va a quitar.
+
+
+ Quita el elemento situado en el índice especificado de .Este método no se puede reemplazar.
+ Índice del elemento que se va a quitar.
+
+
+ Copia los objetos de la colección en una matriz unidimensional compatible, empezando por el índice especificado de la matriz de destino.
+ Matriz unidimensional.
+ Índice especificado.
+
+
+ Obtiene un valor que indica si el acceso a la interfaz está sincronizado (es seguro para subprocesos).
+ Es True si el acceso a está sincronizado; de lo contrario, es false.
+
+
+ Obtiene un objeto que se puede utilizar para sincronizar el acceso a .
+ Objeto que se puede utilizar para sincronizar el acceso a .
+
+
+ Agrega un objeto al final de .
+ Objeto que se agrega a la colección.
+ El valor del objeto que se va a agregar a la colección.
+
+
+ Determina si contiene un elemento específico.
+ Es True si contiene un elemento específico; de lo contrario, es false .
+ Valor del elemento.
+
+
+ Busca el objeto especificado y devuelve el índice de base cero de la primera aparición en toda la colección .
+ El índice de base cero de un objeto.
+ Valor del objeto.
+
+
+ Inserta un elemento en , en el índice especificado.
+ El índice donde el elemento se insertará.
+ Valor del elemento.
+
+
+ Obtiene un valor que indica si la matriz tiene un tamaño fijo.
+ Es True si tiene un tamaño fijo; de lo contrario, es false.
+
+
+ Obtiene un valor que indica si es de sólo lectura.
+ True si la interfaz es de solo lectura; en caso contrario, false.
+
+
+ Obtiene o establece el elemento que se encuentra en el índice especificado.
+ El elemento en el índice especificado.
+ Índice del elemento.
+
+
+ Quita la primera aparición de un objeto específico de la interfaz .
+ Valor del objeto que se ha quitado.
+
+
+ Especifica que debe serializar un miembro de clase determinado como matriz de elementos XML.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase y especifica el nombre del elemento XML generado en la instancia del documento XML.
+ Nombre del elemento XML que genera .
+
+
+ Obtiene o establece el nombre de elemento XML asignado a la matriz serializada.
+ Nombre del elemento XML de la matriz serializada.El valor predeterminado es el nombre del miembro al que se ha asignado .
+
+
+ Obtiene o establece un valor que indica si el nombre del elemento XML generado por el objeto está calificado o no.
+ Uno de los valores de .El valor predeterminado es XmlSchemaForm.None.
+
+
+ Obtiene o establece un valor que indica si debe serializar un miembro como una etiqueta XML vacía con el atributo xsi:nil establecido en true.
+ true si genera el atributo xsi:nil; en caso contrario, false.
+
+
+ Obtiene o establece el espacio de nombres del elemento XML.
+ Espacio de nombres del elemento XML.
+
+
+ Obtiene o establece el orden explícito en el que los elementos son serializados o deserializados.
+ Orden de la generación de código.
+
+
+ Representa un atributo que especifica los tipos derivados que puede colocar en una matriz serializada.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una instancia nueva de la clase y especifica el nombre del elemento XML generado en el documento XML.
+ Nombre del elemento XML.
+
+
+ Inicializa una instancia nueva de la clase y especifica el nombre del elemento XML generado en el documento XML, así como el que puede insertarse en el documento XML generado.
+ Nombre del elemento XML.
+
+ del objeto que se va a serializar.
+
+
+ Inicializa una instancia nueva de la clase y especifica el que puede insertarse en la matriz serializada.
+
+ del objeto que se va a serializar.
+
+
+ Obtiene o establece el tipo de datos XML del elemento XML generado.
+ Tipo de datos de definición de esquemas XML (XSD), tal como se define en el documento "XML Schema Part 2: Datatypes" del Consorcio WWC (www.w3.org).
+
+
+ Obtiene o establece el nombre del elemento XML generado.
+ Nombre del elemento XML generado.El valor predeterminado es el identificador de miembros.
+
+
+ Obtiene o establece un valor que indica si el nombre del elemento XML generado está calificado.
+ Uno de los valores de .El valor predeterminado es XmlSchemaForm.None.
+ La propiedad se establece en XmlSchemaForm.Unqualified y se especifica un valor para la propiedad .
+
+
+ Obtiene o establece un valor que indica si debe serializar un miembro como una etiqueta XML vacía con el atributo xsi:nil establecido en true.
+ Es true si genera el atributo xsi:nil; en caso contrario, es false y no se genera ninguna instancia.El valor predeterminado es true.
+
+
+ Obtiene o establece el espacio de nombres del elemento XML generado.
+ Espacio de nombres del elemento XML generado.
+
+
+ Obtiene o establece el nivel en una jerarquía de elementos XML a los que afecta .
+ Índice de base cero de un conjunto de índices en una matriz de matrices.
+
+
+ Obtiene o establece el tipo permitido en una matriz.
+
+ permitido en la matriz.
+
+
+ Representa una colección de objetos .
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Agrega un objeto a la colección.
+ Índice del elemento que se ha agregado.
+ Objeto que se va a agregar a la colección.
+
+
+ Quita todos los elementos de .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Determina si la colección contiene el objeto especificado.
+ true si la colección contiene el objeto especificado; en caso contrario, false.
+
+ que se va a comprobar.
+
+
+ Copia una matriz a la colección, comenzando por el índice de destino especificado.
+ Matriz de objetos que se copiará en la colección.
+ Índice por el que empiezan los atributos copiados.
+
+
+ Obtiene el número de elementos incluidos en .
+ Número de elementos incluidos en .
+
+
+ Devuelve un enumerador para la completa.
+ Interfaz para toda la colección .
+
+
+ Devuelve el índice de base cero de la primera aparición del especificado en la colección o -1 si el atributo no se encuentra en la colección.
+ El primer índice de en la colección o -1 si el atributo no se encuentra en la colección.
+
+ que se va a buscar en la colección.
+
+
+ Inserta un objeto en el índice especificado de la colección.
+ Índice en el que se inserta el atributo.
+
+ que se va a insertar.
+
+
+ Obtiene o establece el elemento en el índice especificado.
+
+ en el índice especificado.
+ Índice de base cero del miembro de la colección que se va a obtener o establecer.
+
+
+ Quita de la colección, en caso de que esté presente.
+
+ que se va a quitar.
+
+
+ Quita el elemento de la interfaz que se encuentra en el índice especificado.
+ Índice de base cero del elemento que se va a quitar.
+
+ no es un índice válido para .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Copia la totalidad de en una matriz unidimensional compatible, comenzando en el índice especificado de la matriz de destino.
+
+ unidimensional que constituye el destino de los elementos copiados de . debe tener una indización de base cero.
+
+
+ Obtiene un valor que indica si el acceso a la interfaz está sincronizado (es seguro para subprocesos).
+ Es true si el acceso a está sincronizado (es seguro para subprocesos); de lo contrario, es false.
+
+
+
+ Agrega un objeto al final de .
+ El índice de en el que se ha agregado .
+ Objeto que se va a agregar al final de la colección .El valor puede ser null.
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Determina si la colección contiene el objeto especificado.
+ true si la colección contiene el objeto especificado; en caso contrario, false.
+
+
+ Devuelve el índice de base cero de la primera aparición del especificado en la colección o -1 si el atributo no se encuentra en la colección.
+ El primer índice de en la colección o -1 si el atributo no se encuentra en la colección.
+
+
+ Inserta un elemento en , en el índice especificado.
+ Índice basado en cero en el que debe insertarse .
+
+ que se va a insertar.El valor puede ser null.
+
+ es menor que cero.O bien es mayor que .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Obtiene un valor que indica si la interfaz tiene un tamaño fijo.
+ Es true si la interfaz tiene un tamaño fijo; de lo contrario, es false.
+
+
+ Obtiene un valor que indica si es de sólo lectura.
+ true si la interfaz es de solo lectura; en caso contrario, false.
+
+
+ Obtiene o establece el elemento en el índice especificado.
+
+ en el índice especificado.
+ Índice de base cero del miembro de la colección que se va a obtener o establecer.
+
+
+ Quita la primera aparición de un objeto específico de la interfaz .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Especifica que debe serializar el miembro de la clase como un atributo XML.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase y especifica el nombre del atributo XML generado.
+ Nombre del atributo XML que genera .
+
+
+ Inicializa una nueva instancia de la clase .
+ Nombre del atributo XML que se genera.
+
+ utilizado para almacenar el atributo.
+
+
+ Inicializa una nueva instancia de la clase .
+
+ utilizado para almacenar el atributo.
+
+
+ Obtiene o establece el nombre del atributo XML.
+ Nombre del atributo XML.El valor predeterminado es el nombre del miembro.
+
+
+ Obtiene o establece el tipo de datos XSD del atributo XML generado por .
+ Tipo de datos de XSD (documento de esquemas XML), tal como se define en el documento "XML Schema: DataTypes" del Consorcio WWC (www.w3.org).
+
+
+ Obtiene o establece un valor que indica si está calificado el nombre del atributo XML generado por .
+ Uno de los valores de .El valor predeterminado es XmlForm.None.
+
+
+ Obtiene o establece el espacio de nombres XML del atributo XML.
+ Espacio de nombres XML del atributo XML.
+
+
+ Obtiene o establece el tipo complejo del atributo XML.
+ Tipo del atributo XML.
+
+
+ Permite reemplazar los atributos de las propiedades, campos y clases al utilizar para serializar o deserializar un objeto.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Agrega un objeto a la colección de objetos .El parámetro especifica un objeto que se va a reemplazar.El parámetro especifica el nombre de un miembro que se va a reemplazar.
+
+ del objeto que se va a reemplazar.
+ Nombre del miembro que se va a reemplazar.
+ Objeto que representa los atributos reemplazados.
+
+
+ Agrega un objeto a la colección de objetos .El parámetro especifica un objeto que va a ser reemplazado por el objeto .
+ Tipo del objeto que se va a reemplazar.
+ Objeto que representa los atributos reemplazados.
+
+
+ Obtiene el objeto asociado al tipo de clase base especificado.
+
+ que representa la colección de atributos de reemplazo.
+ Tipo de la clase base que está asociado a la colección de atributos que se desea recuperar.
+
+
+ Obtiene el objeto asociado al tipo (de clase base) especificado.El parámetro de miembro especifica el miembro de clase base que se reemplaza.
+
+ que representa la colección de atributos de reemplazo.
+ Tipo de la clase base que está asociado a la colección de atributos que se desea.
+ Nombre del miembro reemplazado que especifica el objeto que se va a devolver.
+
+
+ Representa una colección de objetos de atributo que controlan el modo en que serializa y deserializa un objeto.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Obtiene o establece el que se va a reemplazar.
+
+ que se va a reemplazar.
+
+
+ Obtiene la colección de objetos que se va a reemplazar.
+ Objeto que representa la colección de objetos .
+
+
+ Obtiene o establece un objeto que especifica el modo en que serializa un campo público o una propiedad pública de lectura/escritura que devuelve una matriz.
+
+ que especifica el modo en que serializa un campo público o una propiedad pública de lectura/escritura que devuelve una matriz.
+
+
+ Obtiene o establece una colección de objetos que especifica el modo en que serializa los elementos insertados en una matriz devuelta por un campo público o una propiedad pública de lectura/escritura.
+ Objeto que contiene una colección de objetos .
+
+
+ Obtiene o establece un objeto que especifica el modo en que serializa un campo público o una propiedad pública de lectura/escritura como atributo XML.
+
+ que controla la serialización de un campo público o una propiedad pública de lectura/escritura como atributo XML.
+
+
+ Obtiene o establece un objeto que permite distinguir entre varias opciones.
+
+ que se puede aplicar a un miembro de clase serializado como un elemento xsi:choice.
+
+
+ Obtiene o establece el valor predeterminado de un elemento o atributo XML.
+
+ que representa el valor predeterminado de un elemento o atributo XML.
+
+
+ Obtiene una colección de objetos que especifican el modo en que serializa un campo público o una propiedad pública de lectura/escritura como elemento XML.
+
+ que contiene una colección de objetos .
+
+
+ Obtiene o establece un objeto que especifica el modo en que serializa un miembro de enumeración.
+
+ que especifica el modo en que serializa un miembro de enumeración.
+
+
+ Obtiene o establece un valor que especifica si serializa o no un campo público o una propiedad pública de lectura/escritura.
+ true si el objeto no debe serializar ni el campo ni la propiedad; en caso contrario, false.
+
+
+ Obtiene o establece un valor que especifica si se mantienen todas las declaraciones de espacio de nombres al reemplazar un objeto con un miembro que devuelve un objeto .
+ Es truesi deben mantenerse las declaraciones de espacio de nombres; en caso contrario, es false.
+
+
+ Obtiene o establece un objeto que especifica el modo en que serializa una clase como elemento raíz XML.
+
+ que reemplaza una clase con atributos de elemento raíz XML.
+
+
+ Obtiene o establece un objeto que instruye al objeto para que serialice un campo público o una propiedad pública de lectura/escritura como texto XML.
+
+ que reemplaza la serialización predeterminada de un campo público o una propiedad pública.
+
+
+ Obtiene o establece un objeto que especifica el modo en que serializa una clase a la que se ha aplicado el objeto .
+
+ que reemplaza un aplicado a una declaración de clase.
+
+
+ Especifica que el miembro se puede detectar mejor utilizando una enumeración.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase .
+ El nombre de miembro que devuelve la enumeración se utiliza para detectar una elección.
+
+
+ Obtiene o establece el nombre del campo que devuelve la enumeración que se va a utilizar para detectar tipos.
+ Nombre de un campo que devuelve una enumeración.
+
+
+ Indica que un campo público o una propiedad pública representa un elemento XML, cuando serializa o deserializa el objeto que lo contiene.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase y especifica el nombre del elemento XML.
+ Nombre de elemento XML del miembro serializado.
+
+
+ Inicializa una nueva instancia de y especifica el nombre del elemento XML así como un tipo derivado del miembro al que se ha aplicado .Este tipo de miembro se utiliza cuando serializa el objeto que lo contiene.
+ Nombre de elemento XML del miembro serializado.
+
+ de un objeto derivado del tipo de miembro.
+
+
+ Inicializa una nueva instancia de la clase y especifica un tipo de miembro al que es aplicado.Este tipo es utilizado por al serializar o deserializar el objeto que lo contiene.
+
+ de un objeto derivado del tipo de miembro.
+
+
+ Obtiene o establece el tipo de datos de la definición de esquemas XML (XSD) del elemento XM1 generado por .
+ Tipo de datos de esquemas XML, tal como se define en el documento del Consorcio WWC (www.w3.org) titulado "XML Schema Part 2: Datatypes".
+ El tipo de datos de esquemas XML especificado no se puede asignar al tipo de datos .NET.
+
+
+ Obtiene o establece el nombre del elemento XML generado.
+ Nombre del elemento XML generado.El valor predeterminado es el identificador de miembros.
+
+
+ Obtiene o establece un valor que indica si el elemento está calificado.
+ Uno de los valores de .El valor predeterminado es .
+
+
+ Obtiene o establece un valor que indica si debe serializar un miembro establecido en null como una etiqueta vacía con el atributo xsi:nil establecido en true.
+ true si genera el atributo xsi:nil; en caso contrario, false.
+
+
+ Obtiene o establece el espacio de nombres asignado al elemento XML como resultado de la serialización de la clase.
+ Espacio de nombres del elemento XML.
+
+
+ Obtiene o establece el orden explícito en el que los elementos son serializados o deserializados.
+ Orden de la generación de código.
+
+
+ Obtiene o establece el tipo de objeto utilizado para representar el elemento XML.
+
+ del miembro.
+
+
+ Representa una colección de objetos , que utiliza para reemplazar la forma predeterminada en que serializa una clase.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Agrega un objeto a la colección.
+ Índice de base cero del elemento que acaba de agregarse.
+
+ que se va a sumar.
+
+
+ Quita todos los elementos de .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Determina si la colección contiene el objeto especificado.
+ Es true si el objeto existe en la colección; de lo contrario, es false.
+
+ que se va a buscar.
+
+
+ Copia o una parte de la misma en una matriz unidimensional.
+ La matriz de para contener los elementos copiados.
+ Índice de base cero de en el que empieza la operación de copia.
+
+
+ Obtiene el número de elementos incluidos en .
+ Número de elementos incluidos en .
+
+
+ Devuelve un enumerador para la completa.
+ Interfaz para toda la colección .
+
+
+ Obtiene el índice del objeto especificado.
+ Índice de base cero del objeto .
+
+ cuyo índice se recupera.
+
+
+ Inserta en la colección.
+ Índice de base cero en el que se inserta el miembro.
+
+ que se va a insertar.
+
+
+ Obtiene o establece el elemento que se encuentra en el índice especificado.
+ El elemento en el índice especificado.
+ Índice de base cero del elemento que se va a obtener o establecer.
+
+ no es un índice válido para .
+ La propiedad está establecida y es de solo lectura.
+
+
+ Quita el objeto especificado de la colección.
+
+ que se va a quitar de la colección.
+
+
+ Quita el elemento de la interfaz que se encuentra en el índice especificado.
+ Índice de base cero del elemento que se va a quitar.
+
+ no es un índice válido para .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Copia la totalidad de en una matriz unidimensional compatible, comenzando en el índice especificado de la matriz de destino.
+
+ unidimensional que constituye el destino de los elementos copiados de . debe tener una indización de base cero.
+
+
+ Obtiene un valor que indica si el acceso a la interfaz está sincronizado (es seguro para subprocesos).
+ Es true si el acceso a está sincronizado (es seguro para subprocesos); de lo contrario, es false.
+
+
+ Obtiene un objeto que se puede utilizar para sincronizar el acceso a .
+ Objeto que se puede utilizar para sincronizar el acceso a .
+
+
+ Agrega un objeto al final de .
+ El índice de en el que se ha agregado .
+ Objeto que se va a agregar al final de la colección .El valor puede ser null.
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Determina si la interfaz contiene un valor específico.
+ Es true si se encuentra en ; en caso contrario, es false.
+ Objeto que se va a buscar en .
+
+
+ Determina el índice de un elemento específico de .
+ Índice de , si se encuentra en la lista; de lo contrario, -1.
+ Objeto que se va a buscar en .
+
+
+ Inserta un elemento en , en el índice especificado.
+ Índice basado en cero en el que debe insertarse .
+
+ que se va a insertar.El valor puede ser null.
+
+ es menor que cero.O bien es mayor que .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Obtiene un valor que indica si la interfaz tiene un tamaño fijo.
+ Es true si la interfaz tiene un tamaño fijo; de lo contrario, es false.
+
+
+ Obtiene un valor que indica si es de sólo lectura.
+ true si la interfaz es de solo lectura; en caso contrario, false.
+
+
+ Obtiene o establece el elemento que se encuentra en el índice especificado.
+ El elemento en el índice especificado.
+ Índice de base cero del elemento que se va a obtener o establecer.
+
+ no es un índice válido para .
+ La propiedad está establecida y es de solo lectura.
+
+
+ Quita la primera aparición de un objeto específico de la interfaz .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Controla el modo en que serializa un miembro de enumeración.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase y especifica el valor XML que genera o reconoce al serializar o deserializar la enumeración, respectivamente.
+ Nombre de reemplazo del miembro de enumeración.
+
+
+ Obtiene o establece el valor generado en una instancia de documento XML cuando serializa una enumeración o el valor reconocido cuando deserializa el miembro de enumeración.
+ Valor generado en una instancia de documento XML cuando serializa la enumeración o valor reconocido cuando deserializa el miembro de enumeración.
+
+
+ Instruye al método de para que no serialice el valor de campo público o propiedad pública de lectura/escritura.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Permite que reconozca un tipo al serializar o deserializar un objeto.
+
+
+ Inicializa una nueva instancia de la clase .
+
+ del objeto que se va a incluir.
+
+
+ Obtiene o establece el tipo de objeto que se va a incluir.
+
+ del objeto que se va a incluir.
+
+
+ Especifica que la propiedad, parámetro, valor devuelto o miembro de clase de destino contiene prefijos asociados a espacios de nombres que se utilizan en un documento XML.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Controla la serialización XML del destino de atributo como elemento raíz XML.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase y especifica el nombre del elemento raíz XML.
+ Nombre del elemento raíz XML.
+
+
+ Obtiene o establece el tipo de datos XSD del elemento raíz XML.
+ Tipo de datos de XSD (documento de esquemas XML), tal como se define en el documento "XML Schema: DataTypes" del Consorcio WWC (www.w3.org).
+
+
+ Obtiene o establece el nombre del elemento XML que generan y reconocen los métodos y , respectivamente, de la clase .
+ Nombre del elemento raíz XML generado y reconocido en una instancia de documento XML.El valor predeterminado es el nombre de la clase serializada.
+
+
+ Obtiene o establece un valor que indica si debe serializar un miembro establecido en null en el atributo xsi:nil establecido,a su vez, en true.
+ true si genera el atributo xsi:nil; en caso contrario, false.
+
+
+ Obtiene o establece el espacio de nombres del elemento raíz XML.
+ Espacio de nombres del elemento XML.
+
+
+ Serializa y deserializa objetos en y desde documentos XML. permite controlar el modo en que se codifican los objetos en XML.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase que puede serializar objetos del tipo especificado en documentos XML y deserializar documentos XML en objetos del tipo especificado.
+ El tipo del objeto que este puede serializar.
+
+
+ Inicializa una nueva instancia de la clase que puede serializar objetos del tipo especificado en documentos XML y deserializar documentos XML en objetos del tipo especificado.Especifica el espacio de nombres predeterminado para todos los elementos XML.
+ El tipo del objeto que este puede serializar.
+ Espacio de nombres predeterminado que se utilizará para todos los elementos XML.
+
+
+ Inicializa una nueva instancia de la clase que puede serializar objetos del tipo especificado en documentos XML y deserializar documentos XML en objetos del tipo especificado.Si una propiedad o un campo devuelve una matriz, el parámetro especifica aquellos objetos que pueden insertarse en la matriz.
+ El tipo del objeto que este puede serializar.
+ Matriz de tipos de objeto adicionales que se han de serializar.
+
+
+ Inicializa una nueva instancia de la clase que puede serializar objetos del tipo especificado en documentos XML y deserializar documentos XML en objetos del tipo especificado.Cada objeto que se ha de serializar también puede contener instancias de clases, que esta sobrecarga puede reemplazar con otras clases.
+ Tipo del objeto que se va a serializar.
+ Interfaz .
+
+
+ Inicializa una nueva instancia de la clase que puede serializar objetos del tipo en instancias de documentos XML y deserializar instancias de documentos XML en objetos del tipo .Cada objeto que se ha de serializar también puede contener instancias de clases, que esta sobrecarga reemplaza con otras clases.Esta sobrecarga especifica asimismo el espacio de nombres predeterminado para todos los elementos XML, así como la clase que se ha de utilizar como elemento raíz XML.
+ El tipo del objeto que este puede serializar.
+
+ que extiende o reemplaza el comportamiento de la clase especificada en el parámetro .
+ Matriz de tipos de objeto adicionales que se han de serializar.
+
+ que define las propiedades del elemento raíz XML.
+ Espacio de nombres predeterminado de todos los elementos XML en el documento XML.
+
+
+ Inicializa una nueva instancia de la clase que puede serializar objetos del tipo especificado en documentos XML y deserializar un documento XML en un objeto del tipo especificado.Especifica también la clase que se utilizará como elemento raíz XML.
+ El tipo del objeto que este puede serializar.
+
+ que representa el elemento raíz XML.
+
+
+ Obtiene un valor que indica si este puede deserializar un documento XML especificado.
+ Es true si este puede deserializar el objeto seleccionado por ; en caso contrario, es false.
+
+ que señala el documento que se ha de deserializar.
+
+
+ Deserializa un documento XML que contiene el especificado.
+
+ que se está deserializando.
+
+ que contiene el documento XML que se va a deserializar.
+
+
+ Deserializa un documento XML que contiene el especificado.
+
+ que se está deserializando.
+
+ que contiene el documento XML que se va a deserializar.
+ Se ha producido un error durante la deserialización.La excepción original está disponible mediante la propiedad .
+
+
+ Deserializa un documento XML que contiene el especificado.
+
+ que se está deserializando.
+
+ que contiene el documento XML que se va a deserializar.
+ Se ha producido un error durante la deserialización.La excepción original está disponible mediante la propiedad .
+
+
+ Devuelve una matriz de objetos creada a partir de una matriz de tipos.
+ Matriz de objetos .
+ Matriz de objetos .
+
+
+ Serializa el especificado y escribe el documento XML en un archivo utilizando el especificado.
+
+ que se utiliza para escribir el documento XML.
+
+ que se va a serializar.
+ Se ha producido un error durante la serialización.La excepción original está disponible mediante la propiedad .
+
+
+ Serializa el especificado y escribe el documento XML en un archivo utilizando el especificado, que hace referencia a los espacios de nombres especificados.
+
+ que se utiliza para escribir el documento XML.
+
+ que se va a serializar.
+
+ al que hace referencia el objeto.
+ Se ha producido un error durante la serialización.La excepción original está disponible mediante la propiedad .
+
+
+ Serializa el especificado y escribe el documento XML en un archivo utilizando el especificado.
+
+ que se utiliza para escribir el documento XML.
+
+ que se va a serializar.
+
+
+ Serializa el objeto especificado, escribe el documento XML en un archivo utilizando el objeto especificado y hace referencia a los espacios de nombres especificados.
+
+ que se utiliza para escribir el documento XML.
+
+ que se va a serializar.
+
+ que contiene los espacios de nombres para el documento XML generado.
+ Se ha producido un error durante la serialización.La excepción original está disponible mediante la propiedad .
+
+
+ Serializa el especificado y escribe el documento XML en un archivo utilizando el especificado.
+
+ que se utiliza para escribir el documento XML.
+
+ que se va a serializar.
+ Se ha producido un error durante la serialización.La excepción original está disponible mediante la propiedad .
+
+
+ Serializa el objeto especificado, escribe el documento XML en un archivo utilizando el especificado y hace referencia a los espacios de nombres especificados.
+
+ que se utiliza para escribir el documento XML.
+
+ que se va a serializar.
+
+ al que hace referencia el objeto.
+ Se ha producido un error durante la serialización.La excepción original está disponible mediante la propiedad .
+
+
+ Contiene los espacios de nombres XML y prefijos que utiliza para generar nombres calificados en una instancia de documento XML.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase , utilizando la instancia especificada de XmlSerializerNamespaces que contiene la colección de pares prefijo y espacio de nombres.
+ Una instancia de que contiene los pares de espacio de nombres y prefijo.
+
+
+ Inicializa una nueva instancia de la clase .
+ Matriz de objetos .
+
+
+ Agrega un par de prefijo y espacio de nombres a un objeto .
+ Prefijo asociado a un espacio de nombres XML.
+ Espacio de nombres XML.
+
+
+ Obtiene el número de pares de prefijo y espacio de nombres de la colección.
+ Número de pares de prefijo y espacio de nombres de la colección.
+
+
+ Obtiene la matriz de pares de prefijo y espacio de nombres en un objeto .
+ Matriz de objetos que se utilizan como nombres calificados en un documento XML.
+
+
+ Indica a que el miembro debe tratarse como texto XML cuando se serializa o se deserializa la clase contenedora.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase .
+
+ del miembro que se va a serializar.
+
+
+ Obtiene o establece el tipo de datos XSD (Lenguaje de definición de esquemas XML) del texto generado por .
+ Tipo de datos de esquemas XML (XSD), tal como se define en el documento "XML Schema Part 2: Datatypes" del Consorcio WWC (www.w3.org).
+ El tipo de datos de esquemas XML especificado no se puede asignar al tipo de datos .NET.
+ El tipo de datos de esquemas XML especificado no es válido para la propiedad y no se puede convertir al tipo de miembro.
+
+
+ Obtiene o establece el tipo del miembro.
+
+ del miembro.
+
+
+ Controla el esquema XML generado cuando serializa el destino del atributo.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase y especifica el nombre del tipo XML.
+ Nombre del tipo XML que genera cuando serializa la instancia de clase (y reconoce al deserializar la instancia de clase).
+
+
+ Obtiene o establece un valor que determina si el tipo de esquema resultante es un tipo anónimo del XSD.
+ Es true si el tipo de esquema resultante es un tipo anónimo del XSD; de lo contrario, es false.
+
+
+ Obtiene o establece un valor que indica si se debe incluir el tipo en los documentos de esquema XML.
+ true para incluir el tipo en los documentos de esquema XML; en caso contrario, false.
+
+
+ Obtiene o establece el espacio de nombres del tipo XML.
+ Espacio de nombres del tipo XML.
+
+
+ Obtiene o establece el nombre del tipo XML.
+ Nombre del tipo XML.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/fr/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/fr/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..f28cdb8
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/fr/System.Xml.XmlSerializer.xml
@@ -0,0 +1,966 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ Spécifie que le membre (un champ retournant un tableau d'objets ) peut contenir n'importe quel attribut XML.
+
+
+ Construit une nouvelle instance de la classe .
+
+
+ Spécifie que le membre (un champ retournant un tableau d'objets ou ) contient des objets représentant tout élément XML n'ayant pas de membre correspondant dans l'objet en cours de sérialisation ou de désérialisation.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom d'élément XML généré dans le document XML.
+ Nom de l'élément XML généré par .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom d'élément XML généré dans le document XML, ainsi que son espace de noms XML.
+ Nom de l'élément XML généré par .
+ Espace de noms XML de l'élément XML.
+
+
+ Obtient ou définit le nom de l'élément XML.
+ Nom de l'élément XML.
+ Le nom d'élément d'un membre du tableau ne correspond pas au nom d'élément spécifié par la propriété .
+
+
+ Obtient ou définit l'espace de noms XML généré dans le document XML.
+ Espace de noms XML.
+
+
+ Obtient ou définit l'ordre explicite dans lequel les éléments sont sérialisés ou désérialisés.
+ Ordre de la génération du code.
+
+
+ Représente une collection d'objets .
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Ajoute un à la collection.
+ Index du nouvellement ajouté.
+
+ à ajouter.
+
+
+ Supprime tous les objets de .Elle ne peut pas être substituée.
+
+
+ Obtient une valeur qui indique si le spécifié existe dans la collection.
+ true si existe dans la collection ; sinon, false.
+
+ qui vous intéresse.
+
+
+ Copie l'ensemble de la collection dans un tableau à une dimension des objets , en démarrant dans l'index spécifié du tableau cible.
+ Tableau d'objets unidimensionnel, qui constitue la destination des éléments copiés à partir de la collection.Ce tableau doit avoir une indexation de base zéro.
+ Index de base zéro dans à partir duquel la copie commence.
+
+
+ Obtient le nombre d'éléments contenus dans l'instance de .
+ Nombre d'éléments contenus dans l'instance de .
+
+
+ Retourne un énumérateur qui itère au sein de .
+ Énumérateur qui itère au sein de .
+
+
+ Obtient l'index du spécifié.
+ Index du spécifié.
+
+ dont vous souhaitez obtenir l'index.
+
+
+ Insère un dans la collection, à l'index spécifié.
+ Index auquel sera inséré.
+
+ à insérer.
+
+
+ Obtient ou définit à l'index spécifié.
+
+ à l'index spécifié.
+ Index de .
+
+
+ Supprime le spécifié de la collection.
+
+ à supprimer.
+
+
+ Supprime l'élément au niveau de l'index spécifié de .Elle ne peut pas être substituée.
+ Index de l'élément à supprimer.
+
+
+ Copie l'ensemble de la collection dans un tableau à une dimension des objets , en démarrant dans l'index spécifié du tableau cible.
+ Tableau unidimensionnel.
+ L'index spécifié.
+
+
+ Obtient une valeur indiquant si l'accès à est synchronisé (thread-safe).
+ True si l'accès à est synchronisé ; sinon, false.
+
+
+ Obtient un objet qui peut être utilisé pour synchroniser l'accès à .
+ Objet qui peut être utilisé pour synchroniser l'accès à .
+
+
+ Ajoute un objet à la fin de .
+ Objet ajoutés à la collection.
+ Valeur de l'objet à ajouter à la collection.
+
+
+ Détermine si contient un élément spécifique.
+ True si le contient un élément spécifique ; sinon false.
+ Valeur de l'élément.
+
+
+ Recherche l'Objet spécifié et retourne l'index de base zéro de la première occurrence dans l'ensemble du .
+ Index de base zéro de l'objet.
+ Valeur de l'objet.
+
+
+ Insère un élément dans à l'index spécifié.
+ Index de l'élément qui sera inséré.
+ Valeur de l'élément.
+
+
+ Obtient une valeur indiquant si est de taille fixe.
+ True si est de taille fixe ; sinon, false.
+
+
+ Obtient une valeur indiquant si est en lecture seule.
+ True si est en lecture seule ; sinon, false.
+
+
+ Obtient ou définit l'élément situé à l'index spécifié.
+ Élément situé à l'index spécifié.
+ Index de l'élément.
+
+
+ Supprime la première occurrence d'un objet spécifique de .
+ Valeur de l'objet supprimé.
+
+
+ Spécifie que doit sérialiser un membre de classe particulier en tant que tableau d'éléments XML.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom d'élément XML généré dans le document XML.
+ Nom de l'élément XML généré par .
+
+
+ Obtient ou définit le nom d'élément XML donné au tableau sérialisé.
+ Nom d'élément XML du tableau sérialisé.Par défaut, il s'agit du nom du membre auquel est assigné.
+
+
+ Obtient ou définit une valeur qui indique si le nom d'élément XML généré par est qualifié ou non.
+ Une des valeurs de .La valeur par défaut est XmlSchemaForm.None.
+
+
+ Obtient ou définit une valeur qui indique si le doit sérialiser un membre comme balise XML vide lorsque l'attribut xsi:nil a la valeur true.
+ true si génère l'attribut xsi:nil ; false sinon.
+
+
+ Obtient ou définit l'espace de noms de l'élément XML.
+ Espace de noms de l'élément XML.
+
+
+ Obtient ou définit l'ordre explicite dans lequel les éléments sont sérialisés ou désérialisés.
+ Ordre de la génération du code.
+
+
+ Représente un attribut qui spécifie les types dérivés que le peut placer dans un tableau sérialisé.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom de l'élément XML généré dans le document XML.
+ Nom de l'élément XML.
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom de l'élément XML généré dans le document XML et le qui peut être inséré dans le document XML généré.
+ Nom de l'élément XML.
+
+ de l'objet à sérialiser.
+
+
+ Initialise une nouvelle instance de la classe et spécifie le qui peut être inséré dans le tableau sérialisé.
+
+ de l'objet à sérialiser.
+
+
+ Obtient ou définit le type de données XML de l'élément XML généré.
+ Type de données XSD (XML Schema Definition), défini par le document du World Wide Web Consortium (www.w3.org) intitulé « XML Schema Part 2: Datatypes ».
+
+
+ Obtient ou définit le nom de l'élément XML généré.
+ Nom de l'élément XML généré.Par défaut, il s'agit de l'identificateur du membre.
+
+
+ Obtient ou définit une valeur qui indique si le nom de l'élément XML généré est qualifié.
+ Une des valeurs de .La valeur par défaut est XmlSchemaForm.None.
+ La propriété est définie avec la valeur XmlSchemaForm.Unqualified et une valeur est spécifiée.
+
+
+ Obtient ou définit une valeur qui indique si le doit sérialiser un membre comme balise XML vide lorsque l'attribut xsi:nil a la valeur true.
+ true si génère l'attribut xsi:nil ; sinon, false et aucune instance n'est générée.La valeur par défaut est true.
+
+
+ Obtient ou définit l'espace de noms de l'élément XML généré.
+ Espace de noms de l'élément XML généré.
+
+
+ Obtient ou définit le niveau dans une hiérarchie d'éléments XML affectés par .
+ Index de base zéro d'un ensemble d'index dans un tableau de tableaux.
+
+
+ Obtient ou définit le type autorisé dans un tableau.
+
+ autorisé dans le tableau.
+
+
+ Représente une collection d'objets .
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Ajoute un à la collection.
+ Index de l'élément ajouté.
+
+ à ajouter à la collection.
+
+
+ Supprime tous les éléments de .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Détermine si la collection contient le spécifié.
+ true si la collection contient le spécifié ; sinon, false.
+
+ à vérifier.
+
+
+ Copie un tableau dans la collection, en commençant à l'index spécifié.
+ Tableau d'objets à copier dans la collection.
+ Index à partir duquel les attributs commencent.
+
+
+ Obtient le nombre d'éléments contenus dans le .
+ Nombre d'éléments contenus dans .
+
+
+ Retourne un énumérateur pour l'intégralité de .
+ Un pour l'intégralité de .
+
+
+ Retourne l'index de base zéro de la première occurrence du spécifié dans la collection ou -1 si l'attribut n'est pas trouvé dans la collection.
+ Premier index du dans la collection ou -1 si l'attribut n'est pas trouvé dans la collection.
+
+ à trouver dans la collection.
+
+
+ Insère dans la collection, à l'index spécifié.
+ L'index dans lequel l'attribut est inséré.
+
+ à insérer.
+
+
+ Obtient ou définit l'élément à l'index spécifié.
+
+ à l'index spécifié.
+ Index de base zéro du membre de la collection à obtenir ou définir.
+
+
+ Supprime un de la collection, s'il en existe.
+
+ à supprimer.
+
+
+ Supprime l'élément au niveau de l'index spécifié.
+ Index de base zéro de l'élément à supprimer.
+
+ n'est pas un index valide dans .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Copie l'ensemble de l'objet vers un objet unidimensionnel compatible, en commençant à l'index spécifié du tableau cible.
+
+ unidimensionnel qui constitue la destination des éléments copiés à partir d'. doit avoir une indexation de base zéro.
+
+
+ Obtient une valeur indiquant si l'accès à est synchronisé (thread-safe).
+ true si l'accès à est synchronisé (thread-safe) ; sinon false.
+
+
+
+ Ajoute un objet à la fin de .
+ Index auquel a été ajouté.
+
+ à ajouter à la fin de .La valeur peut être null.
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Détermine si la collection contient le spécifié.
+ true si la collection contient le spécifié ; sinon, false.
+
+
+ Retourne l'index de base zéro de la première occurrence du spécifié dans la collection ou -1 si l'attribut n'est pas trouvé dans la collection.
+ Premier index du dans la collection ou -1 si l'attribut n'est pas trouvé dans la collection.
+
+
+ Insère un élément dans à l'index spécifié.
+ Index de base zéro auquel doit être inséré.
+
+ à insérer.La valeur peut être null.
+
+ est inférieur à zéro.ou est supérieur à .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Obtient une valeur indiquant si est de taille fixe.
+ true si est de taille fixe ; sinon, false.
+
+
+ Obtient une valeur indiquant si est en lecture seule.
+ true si est en lecture seule ; sinon, false.
+
+
+ Obtient ou définit l'élément à l'index spécifié.
+
+ à l'index spécifié.
+ Index de base zéro du membre de la collection à obtenir ou définir.
+
+
+ Supprime la première occurrence d'un objet spécifique de .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Spécifie que doit sérialiser le membre de classe comme un attribut XML.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom de l'attribut XML généré.
+ Nom de l'attribut XML généré par .
+
+
+ Initialise une nouvelle instance de la classe .
+ Nom de l'attribut XML généré.
+
+ utilisé pour stocker l'attribut.
+
+
+ Initialise une nouvelle instance de la classe .
+
+ utilisé pour stocker l'attribut.
+
+
+ Obtient ou définit le nom de l'attribut XML.
+ Nom de l'attribut XML.La valeur par défaut est le nom du membre.
+
+
+ Obtient ou définit le type de données XSD de l'attribut XML généré par .
+ Type de données XSD (XML Schema Definition), défini par le document du World Wide Web Consortium (www.w3.org) intitulé « XML Schema: Datatypes ».
+
+
+ Obtient ou définit une valeur qui indique si le nom d'attribut XML généré par est qualifié.
+ Une des valeurs de .La valeur par défaut est XmlForm.None.
+
+
+ Obtient ou définit l'espace de noms XML de l'attribut XML.
+ Espace de noms XML de l'attribut XML.
+
+
+ Obtient ou définit le type complexe de l'attribut XML.
+ Type de l'attribut XML.
+
+
+ Permet de substituer des attributs de propriété, de champ et de classe lorsque vous utilisez pour sérialiser ou désérialiser un objet.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Ajoute un objet à la collection d'objets .Le paramètre spécifie l'objet qui sera substitué.Le paramètre spécifie le nom du membre à substituer.
+
+ de l'objet à substituer.
+ Nom du membre à substituer.
+ Objet qui représente les attributs de substitution.
+
+
+ Ajoute un objet à la collection d'objets .Le paramètre spécifie l'objet auquel se substituera l'objet .
+
+ de l'objet à substituer.
+ Objet qui représente les attributs de substitution.
+
+
+ Obtient l'objet associé au type spécifié de classe de base.
+
+ qui représente la collection d'attributs de substitution.
+
+ de la classe de base associée à la collection d'attributs à récupérer.
+
+
+ Obtient l'objet associé au type spécifié de classe de base.Le paramètre relatif au membre indique le membre de la classe de base qui est substitué.
+
+ qui représente la collection d'attributs de substitution.
+
+ de la classe de base associé à la collection d'attributs souhaitée.
+ Nom du membre substitué qui spécifie les à retourner.
+
+
+ Représente une collection d'objets attributs qui contrôlent la manière dont sérialise et désérialise un objet.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Obtient ou définit le à substituer.
+
+ à substituer.
+
+
+ Obtient la collection d'objets à substituer.
+ Objet représentant la collection d'objets .
+
+
+ Obtient ou définit un objet qui spécifie la façon dont sérialise un champ public ou une propriété en lecture/écriture publique retournant un tableau.
+
+ qui spécifie la façon dont sérialise un champ public ou une propriété en lecture/écriture publique qui retourne un tableau.
+
+
+ Obtient ou définit une collection d'objets qui spécifient comment sérialise les éléments qui sont insérés dans un tableau retourné par un champ public ou une propriété en lecture/écriture publique.
+ Objet qui contient une collection d'objets .
+
+
+ Obtient ou définit un objet qui spécifie la façon dont sérialise un champ public ou une propriété en lecture/écriture publique comme un attribut XML.
+
+ qui contrôle la sérialisation d'un champ public ou d'une propriété en lecture/écriture publique en tant qu'attribut XML.
+
+
+ Obtient ou définit un objet qui vous permet de faire la différence entre plusieurs options.
+
+ pouvant être appliqué à un membre de la classe sérialisé en tant qu'élément xsi:choice.
+
+
+ Obtient ou définit la valeur par défaut d'un élément XML ou d'un attribut XML.
+
+ qui représente la valeur par défaut d'un élément XML ou d'un attribut XML.
+
+
+ Obtient une collection d'objets qui spécifient comment sérialise un champ public ou une propriété en lecture/écriture publique en tant qu'élément XML.
+
+ qui contient une collection d'objets .
+
+
+ Obtient ou définit un objet qui spécifie la façon dont sérialise un membre de l'énumération.
+
+ qui spécifie la façon dont sérialise un membre de l'énumération.
+
+
+ Obtient ou définit une valeur qui spécifie si sérialise ou non un champ public ou une propriété en lecture/écriture publique.
+ true si ne doit pas sérialiser le champ ou la propriété ; sinon, false.
+
+
+ Obtient ou définit une valeur spécifiant si toutes les déclarations d'espace de noms doivent être conservées lors de substitution d'un objet qui contient un membre retournant un objet .
+ true si les déclarations d'espace de noms doivent être conservées ; sinon false.
+
+
+ Obtient ou définit un objet qui spécifie la façon dont sérialise une classe comme élément racine XML.
+
+ qui substitue une classe attribuée comme élément racine XML.
+
+
+ Obtient ou définit un objet qui commande à de sérialiser un champ public ou une propriété en lecture/écriture publique comme texte XML.
+
+ qui substitue la sérialisation par défaut d'une propriété publique ou d'un champ public.
+
+
+ Obtient ou définit un objet qui spécifie la façon dont sérialise une classe à laquelle a été appliqué.
+
+ qui substitue un attribut appliqué à une déclaration de classe.
+
+
+ Spécifie qu'il est possible d'utiliser une énumération pour détecter le membre.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe .
+ Nom du membre qui retourne l'énumération utilisée pour détecter un choix.
+
+
+ Obtient ou définit le nom du champ qui retourne l'énumération à utiliser lors de la détection des types.
+ Le nom d'un champ qui retourne une énumération.
+
+
+ Indique qu'un champ public ou une propriété publique représente un élément XML lorsque sérialise ou désérialise l'objet qui le contient.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom de l'élément XML.
+ Nom de l'élément XML du membre sérialisé.
+
+
+ Initialise une nouvelle instance de et spécifie le nom de l'élément XML et un type dérivé pour le membre auquel est appliqué.Ce type de membre est utilisé lorsque sérialise l'objet qui le contient.
+ Nom de l'élément XML du membre sérialisé.
+
+ d'un objet dérivé du type du membre.
+
+
+ Initialise une nouvelle instance de la classe et spécifie un type pour le membre auquel est appliqué.Ce type est utilisé par lors de la sérialisation ou la désérialisation de l'objet qui le contient.
+
+ d'un objet dérivé du type du membre.
+
+
+ Obtient ou définit le type de données XSD (XML Schema Definition) de l'élément XML généré par .
+ Type de données de schéma XML, tel que défini par le document du W3C (www.w3.org ) intitulé « XML Schema Part 2: Datatypes ».
+ Le type de données de schéma XML que vous avez spécifié ne peut pas être mappé au type de données .NET.
+
+
+ Obtient ou définit le nom de l'élément XML généré.
+ Nom de l'élément XML généré.Par défaut, il s'agit de l'identificateur du membre.
+
+
+ Obtient ou définit une valeur qui indique si l'élément est qualifié.
+ Une des valeurs de .La valeur par défaut est .
+
+
+ Obtient ou définit une valeur qui indique si doit sérialiser un membre dont la valeur est null comme balise vide avec l'attribut xsi:nil ayant la valeur true.
+ true si génère l'attribut xsi:nil ; false sinon.
+
+
+ Obtient ou définit l'espace de noms assigné à l'élément XML obtenu lorsque la classe est sérialisée.
+ Espace de noms de l'élément XML.
+
+
+ Obtient ou définit l'ordre explicite dans lequel les éléments sont sérialisés ou désérialisés.
+ Ordre de la génération du code.
+
+
+ Obtient ou définit le type d'objet utilisé pour représenter l'élément XML.
+
+ du membre.
+
+
+ Représente une collection d'objets utilisée par pour substituer la sérialisation par défaut d'une classe.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Ajoute un à la collection.
+ Index de base zéro du nouvel élément ajouté.
+
+ à ajouter.
+
+
+ Supprime tous les éléments de .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Détermine si la collection contient l'objet spécifié.
+ true si l'objet existe dans la collection, sinon false.
+
+ à rechercher.
+
+
+ Copie ou une partie de celui-ci dans un tableau unidimensionnel.
+ Tableau pour contenir les éléments copiés.
+ Index de base zéro dans à partir duquel la copie commence.
+
+
+ Obtient le nombre d'éléments contenus dans le .
+ Nombre d'éléments contenus dans .
+
+
+ Retourne un énumérateur pour l'intégralité de .
+ Un pour l'intégralité de .
+
+
+ Obtient l'index du spécifié.
+ Index de base zéro de .
+ Objet dont l'index est en cours de récupération.
+
+
+ Insère un dans la collection.
+ Index de base zéro au niveau duquel le membre est inséré.
+
+ à insérer.
+
+
+ Obtient ou définit l'élément situé à l'index spécifié.
+ Élément situé à l'index spécifié.
+ Index de base zéro de l'élément à obtenir ou définir.
+
+ n'est pas un index valide dans .
+ La propriété est définie et est en lecture seule.
+
+
+ Supprime l'objet spécifié de la collection.
+
+ à supprimer de la collection.
+
+
+ Supprime l'élément au niveau de l'index spécifié.
+ Index de base zéro de l'élément à supprimer.
+
+ n'est pas un index valide dans .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Copie l'ensemble de l'objet vers un objet unidimensionnel compatible, en commençant à l'index spécifié du tableau cible.
+
+ unidimensionnel qui constitue la destination des éléments copiés à partir d'. doit avoir une indexation de base zéro.
+
+
+ Obtient une valeur indiquant si l'accès à est synchronisé (thread-safe).
+ true si l'accès à est synchronisé (thread-safe) ; sinon false.
+
+
+ Obtient un objet qui peut être utilisé pour synchroniser l'accès à .
+ Objet qui peut être utilisé pour synchroniser l'accès à .
+
+
+ Ajoute un objet à la fin de .
+ Index auquel a été ajouté.
+
+ à ajouter à la fin de .La valeur peut être null.
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Détermine si contient une valeur spécifique.
+ true si se trouve dans ; sinon, false.
+ Objet à trouver dans .
+
+
+ Détermine l'index d'un élément spécifique de .
+ Index de s'il figure dans la liste ; sinon, -1.
+ Objet à trouver dans .
+
+
+ Insère un élément dans à l'index spécifié.
+ Index de base zéro auquel doit être inséré.
+
+ à insérer.La valeur peut être null.
+
+ est inférieur à zéro.ou est supérieur à .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Obtient une valeur indiquant si est de taille fixe.
+ true si est de taille fixe ; sinon, false.
+
+
+ Obtient une valeur indiquant si est en lecture seule.
+ true si est en lecture seule ; sinon, false.
+
+
+ Obtient ou définit l'élément situé à l'index spécifié.
+ Élément situé à l'index spécifié.
+ Index de base zéro de l'élément à obtenir ou définir.
+
+ n'est pas un index valide dans .
+ La propriété est définie et est en lecture seule.
+
+
+ Supprime la première occurrence d'un objet spécifique de .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Contrôle la manière dont sérialise un membre de l'énumération.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie la valeur XML que génère ou reconnaît (selon qu'il sérialise ou désérialise l'énumération, respectivement).
+ Nom de substitution pour le membre de l'énumération.
+
+
+ Obtient ou définit la valeur générée dans une instance de document XML lorsque sérialise une énumération ou la valeur reconnue lors de la désérialisation du membre de l'énumération.
+ Valeur générée dans une instance de document XML lorsque sérialise l'énumération ou valeur reconnue lors de la désérialisation du membre de l'énumération.
+
+
+ Commande à la méthode de de ne pas sérialiser la valeur du champ public ou de la propriété en lecture/écriture publique.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Permet à de reconnaître un type lorsqu'il sérialise ou désérialise un objet.
+
+
+ Initialise une nouvelle instance de la classe .
+
+ de l'objet à inclure.
+
+
+ Obtient ou définit le type de l'objet à inclure.
+
+ de l'objet à inclure.
+
+
+ Spécifie que la propriété, le paramètre, la valeur de retour ou le membre de classe cible contient des préfixes associés aux espaces de noms utilisés dans un document XML.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Contrôle la sérialisation XML de l'attribut cible en tant qu'élément racine XML.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom de l'élément racine XML.
+ Nom de l'élément racine XML.
+
+
+ Obtient ou définit le type de données XSD de l'élément racine XML.
+ Type de données XSD (XML Schema Definition), défini par le document du World Wide Web Consortium (www.w3.org) intitulé « XML Schema: Datatypes ».
+
+
+ Obtient ou définit le nom de l'élément XML qui est généré et reconnu, respectivement, par les méthodes et de la classe .
+ Nom de l'élément racine XML qui est généré et reconnu dans une instance de document XML.Par défaut, il s'agit du nom de la classe sérialisée.
+
+
+ Obtient ou définit une valeur qui indique si doit sérialiser un membre qui est null en un attribut xsi:nil dont la valeur est true.
+ true si génère l'attribut xsi:nil ; false sinon.
+
+
+ Obtient ou définit l'espace de noms de l'élément racine XML.
+ Espace de noms de l'élément XML.
+
+
+ Sérialise et désérialise des objets dans des documents XML ou à partir de documents XML. permet de contrôler le mode d'encodage des objets en langage XML.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe qui peut sérialiser les objets du type spécifié en documents XML et désérialiser les documents XML en objets du type spécifié.
+ Type de l'objet que peut sérialiser.
+
+
+ Initialise une nouvelle instance de la classe qui peut sérialiser les objets du type spécifié en documents XML et désérialiser les documents XML en objets du type spécifié.Spécifie l'espace de noms par défaut de tous les éléments XML.
+ Type de l'objet que peut sérialiser.
+ Espace de noms par défaut à utiliser pour tous les éléments XML.
+
+
+ Initialise une nouvelle instance de la classe qui peut sérialiser les objets du type spécifié en documents XML et désérialiser les documents XML en objets du type spécifié.Si une propriété ou un champ retourne un tableau, le paramètre spécifie les objets pouvant être insérés dans ce tableau.
+ Type de l'objet que peut sérialiser.
+ Tableau de types d'objets supplémentaires à sérialiser.
+
+
+ Initialise une nouvelle instance de la classe qui peut sérialiser les objets du type spécifié en documents XML et désérialiser les documents XML en objets du type spécifié.Chaque objet à sérialiser peut lui-même contenir des instances de classes auxquelles cette surcharge peut substituer d'autres classes.
+ Type de l'objet à sérialiser.
+ Élément .
+
+
+ Initialise une nouvelle instance de la classe qui peut sérialiser les objets du type en documents XML et désérialiser, les documents XML en objets du type .Chaque objet à sérialiser peut lui-même contenir des instances de classes auxquelles cette surcharge peut substituer d'autres classes.Cette surcharge spécifie également l'espace de noms par défaut de tous les éléments XML ainsi que la classe à utiliser en tant qu'élément racine XML.
+ Type de l'objet que peut sérialiser.
+
+ qui étend ou substitue le comportement de la classe spécifiée par le paramètre .
+ Tableau de types d'objets supplémentaires à sérialiser.
+
+ qui définit les propriétés de l'élément racine XML.
+ Espace de noms par défaut de tous les éléments XML dans le document XML.
+
+
+ Initialise une nouvelle instance de la classe qui peut sérialiser les objets du type spécifié en documents XML et désérialiser les documents XML en objets du type spécifié.Spécifie également la classe à utiliser en tant qu'élément racine XML.
+ Type de l'objet que peut sérialiser.
+
+ qui représente l'élément racine XML.
+
+
+ Obtient une valeur qui indique si peut désérialiser un document XML spécifié.
+ true si ce peut désérialiser l'objet vers lequel pointe ; sinon, false.
+
+ qui pointe vers le document à désérialiser.
+
+
+ Désérialise le document XML qui figure dans le spécifié.
+
+ en cours de désérialisation.
+
+ qui contient le document XML à désérialiser.
+
+
+ Désérialise le document XML qui figure dans le spécifié.
+
+ en cours de désérialisation.
+
+ qui contient le document XML à désérialiser.
+ Une erreur s'est produite lors de la désérialisation.L'exception d'origine est disponible via l'utilisation de la propriété .
+
+
+ Désérialise le document XML qui figure dans le spécifié.
+
+ en cours de désérialisation.
+
+ qui contient le document XML à désérialiser.
+ Une erreur s'est produite lors de la désérialisation.L'exception d'origine est disponible via l'utilisation de la propriété .
+
+
+ Retourne un tableau d'objets créés à partir d'un tableau de types.
+ Tableau d'objets .
+ Tableau d'objets .
+
+
+ Sérialise le spécifié et écrit le document XML dans un fichier à l'aide du spécifié.
+
+ qui permet d'écrire le document XML.
+
+ à sérialiser.
+ Une erreur s'est produite lors de la sérialisation.L'exception d'origine est disponible via l'utilisation de la propriété .
+
+
+ Sérialise le spécifié et écrit le document XML dans un fichier à l'aide du spécifié qui référence les espaces de noms spécifiés.
+
+ qui permet d'écrire le document XML.
+
+ à sérialiser.
+
+ référencé par l'objet.
+ Une erreur s'est produite lors de la sérialisation.L'exception d'origine est disponible via l'utilisation de la propriété .
+
+
+ Sérialise le spécifié et écrit le document XML dans un fichier à l'aide du spécifié.
+
+ qui permet d'écrire le document XML.
+
+ à sérialiser.
+
+
+ Sérialise le spécifié et écrit le document XML dans un fichier à l'aide du spécifié qui référence les espaces de noms spécifiés.
+
+ qui permet d'écrire le document XML.
+
+ à sérialiser.
+
+ qui contient les espaces de noms du document XML généré.
+ Une erreur s'est produite lors de la sérialisation.L'exception d'origine est disponible via l'utilisation de la propriété .
+
+
+ Sérialise le spécifié et écrit le document XML dans un fichier à l'aide du spécifié.
+
+ qui permet d'écrire le document XML.
+
+ à sérialiser.
+ Une erreur s'est produite lors de la sérialisation.L'exception d'origine est disponible via l'utilisation de la propriété .
+
+
+ Sérialise le spécifié et écrit le document XML dans un fichier à l'aide du spécifié qui référence les espaces de noms spécifiés.
+
+ qui permet d'écrire le document XML.
+
+ à sérialiser.
+
+ référencé par l'objet.
+ Une erreur s'est produite lors de la sérialisation.L'exception d'origine est disponible via l'utilisation de la propriété .
+
+
+ Contient les espaces de noms et préfixes XML utilisés par pour générer des noms qualifiés dans une instance de document XML.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe , à l'aide de l'instance spécifiée de XmlSerializerNamespaces contenant la collection de paires préfixe-espace de noms.
+ Instance de contenant les paires espace de noms-préfixe.
+
+
+ Initialise une nouvelle instance de la classe .
+ Tableau d'objets .
+
+
+ Ajoute une paire préfixe/espace de noms à un objet .
+ Préfixe associé à un espace de noms XML.
+ Espace de noms XML.
+
+
+ Obtient le nombre de paires préfixe/espace de noms dans la collection.
+ Nombre de paires préfixe/espace de noms dans la collection.
+
+
+ Obtient le tableau de paires préfixe/espace de noms dans un objet .
+ Tableau d'objets utilisés en tant que noms qualifiés dans un document XML.
+
+
+ Indique à que le membre doit être traité comme du texte XML lorsque la classe qui le contient est sérialisée ou désérialisée.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe .
+
+ du membre à sérialiser.
+
+
+ Obtient ou définit le type de données XSD (XML Schema Definition) du texte généré par .
+ Type de données XSD (XML Schema Definition), défini par le document du World Wide Web Consortium (www.w3.org) intitulé « XML Schema Part 2: Datatypes ».
+ Le type de données de schéma XML que vous avez spécifié ne peut pas être mappé au type de données .NET.
+ Le type de donnée de schéma XML que vous avez spécifié n'est pas valide pour la propriété et ne peut pas être converti dans le type du membre.
+
+
+ Obtient ou définit le type du membre.
+
+ du membre.
+
+
+ Contrôle le schéma XML qui est généré lorsque la cible de l'attribut est sérialisée par .
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom du type XML.
+ Nom du type XML que génère lorsqu'il sérialise l'instance de classe (et reconnaît lorsqu'il désérialise l'instance de classe).
+
+
+ Obtient ou définit une valeur qui détermine si le type de schéma résultant est un type anonyme XSD.
+ true, si le type de schéma résultant est un type anonyme XSD ; sinon, false.
+
+
+ Obtient ou définit une valeur qui indique si le type doit être inclus dans les documents du schéma XML.
+ true pour inclure le type dans les documents de schéma XML, sinon false.
+
+
+ Obtient ou définit l'espace de noms du type XML.
+ Espace de noms du type XML.
+
+
+ Obtient ou définit le nom du type XML.
+ Nom du type XML.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/it/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/it/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..427e83b
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/it/System.Xml.XmlSerializer.xml
@@ -0,0 +1,908 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ Consente di specificare l'inserimento di qualsiasi attributo XML nel membro, ovvero in un campo che restituisce una matrice di oggetti .
+
+
+ Consente di creare una nuova istanza della classe .
+
+
+ Specifica che il membro, ovvero un campo che restituisce una matrice di oggetti o , può contenere oggetti che rappresentano qualsiasi elemento XML privo di membro corrispondente nell'oggetto da serializzare o deserializzare.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il nome dell'elemento XML generato nel documento XML.
+ Il nome dell'elemento XML generato dalla classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il nome dell'elemento XML generato nel documento XML e il relativo spazio dei nomi XML.
+ Il nome dell'elemento XML generato dalla classe .
+ Lo spazio dei nomi XML dell'elemento XML.
+
+
+ Ottiene o imposta il nome dell'elemento XML.
+ Il nome dell'elemento XML.
+ Il nome di elemento di un membro di matrice non corrisponde al nome di elemento specificato nella proprietà .
+
+
+ Ottiene o imposta lo spazio dei nomi XML generato nel documento XML.
+ Uno spazio dei nomi XML.
+
+
+ Ottiene o imposta l'ordine esplicito in cui gli elementi vengono serializzati o deserializzati.
+ Ordine di generazione del codice.
+
+
+ Rappresenta una raccolta di oggetti .
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Aggiunge all'insieme.
+ L'indice della classe appena aggiunta.
+ Oggetto da aggiungere.
+
+
+ Rimuove tutti gli oggetti dall'oggetto .Questo metodo non può essere sottoposto a override.
+
+
+ Ottiene un valore che indica se l'oggetto specificato è presente nell'insieme.
+ true se la classe è presente nell'insieme; in caso contrario, false.
+ La classe in questione.
+
+
+ Copia l'intero insieme in una matrice unidimensionale compatibile di oggetti , a partire dall'indice specificato della matrice di destinazione.
+ Matrice unidimensionale di oggetti che costituisce la destinazione degli elementi copiati dall'insieme.L'indicizzazione della matrice deve essere in base zero.
+ Indice in base zero della matrice specificata nel parametro in corrispondenza del quale ha inizio la copia.
+
+
+ Ottiene il numero di elementi contenuti nell'istanza .
+ Il numero di elementi contenuti nell'istanza .
+
+
+ Restituisce un enumeratore che scorre la classe .
+ Enumeratore che scorre .
+
+
+ Ottiene l'indice della classe specificata.
+ Indice dell'oggetto specificato.
+ La classe della quale si desidera l'indice.
+
+
+ Inserisce nell'insieme in corrispondenza dell'indice specificato.
+ Indice in cui viene inserito .
+ Oggetto da inserire.
+
+
+ Ottiene o imposta in corrispondenza dell'indice specificato.
+ Oggetto in corrispondenza dell'indice specificato.
+ Indice dell'oggetto .
+
+
+ Rimuove la classe specificata dall'insieme.
+ La classe da rimuovere.
+
+
+ Consente di rimuovere l'elemento in corrispondenza dell'indice specificato di .Questo metodo non può essere sottoposto a override.
+ Indice dell'elemento da rimuovere.
+
+
+ Copia l'intero insieme in una matrice unidimensionale compatibile di oggetti , a partire dall'indice specificato della matrice di destinazione.
+ Matrice unidimensionale.
+ Indice specificato.
+
+
+ Ottiene un valore che indica se l'accesso a è sincronizzato (thread-safe).
+ True se l'accesso alla classe è sincronizzato, in caso contrario false.
+
+
+ Ottiene un oggetto che può essere utilizzato per sincronizzare l'accesso a .
+ Oggetto che può essere utilizzato per sincronizzare l'accesso a .
+
+
+ Aggiunge un oggetto alla fine di .
+ Oggetto aggiunto alla raccolta.
+ Il valore dell'oggetto da aggiungere alla raccolta.
+
+
+ Consente di stabilire se contiene un elemento specifico.
+ True se l'oggetto contiene un elemento specifico; in caso contrario, false.
+ Valore dell'elemento.
+
+
+ Cerca l'oggetto specificato e restituisce l'indice in base zero della prima occorrenza nell'intera classe .
+ Indice in base zero di un oggetto.
+ Valore dell'oggetto.
+
+
+ Consente di inserire un elemento in in corrispondenza dell'indice specificato.
+ L'indice in cui verrà inserito l'elemento.
+ Valore dell'elemento.
+
+
+ Ottiene un valore che indica se è a dimensione fissa.
+ True se è di dimensioni fisse; in caso contrario, false.
+
+
+ Ottiene un valore che indica se è di sola lettura.
+ True se è di sola lettura. In caso contrario, false.
+
+
+ Ottiene o imposta l'elemento in corrispondenza dell'indice specificato.
+ Elemento in corrispondenza dell'indice specificato.
+ Indice dell'elemento.
+
+
+ Rimuove la prima occorrenza di un oggetto specifico dall'interfaccia .
+ Valore dell'oggetto rimosso.
+
+
+ Specifica che deve serializzare un determinato membro della classe come matrice di elementi XML.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il nome dell'elemento XML generato nell'istanza di documento XML.
+ Il nome dell'elemento XML generato dalla classe .
+
+
+ Recupera o imposta il nome dell'elemento XML associato alla matrice serializzata.
+ Il nome dell'elemento XML della matrice serializzata.Il valore predefinito è il nome del membro al quale è assegnato .
+
+
+ Ottiene o imposta un valore che indica se il nome dell'elemento XML generato da è completo o non qualificato.
+ Uno dei valori di .Il valore predefinito è XmlSchemaForm.None.
+
+
+ Ottiene o imposta un valore che indica se deve serializzare un membro come un tag XML vuoto con l'attributo xsi:nil impostato su true.
+ true se l'attributo xsi:nil viene generato dalla classe ; in caso contrario, false.
+
+
+ Ottiene o imposta lo spazio dei nomi dell'elemento XML.
+ Lo spazio dei nomi dell'elemento XML.
+
+
+ Ottiene o imposta l'ordine esplicito in cui gli elementi vengono serializzati o deserializzati.
+ Ordine di generazione del codice.
+
+
+ Rappresenta un attributo che specifica i tipi derivati che può inserire in una matrice serializzata.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il nome dell'elemento XML generato nel documento XML.
+ Il nome dell'elemento XML.
+
+
+ Inizializza una nuova istanza della classe e specifica il nome dell'elemento XML generato nel documento XML e il che può essere inserito nel documento XML generato.
+ Il nome dell'elemento XML.
+
+ dell'oggetto da serializzare.
+
+
+ Inizializza una nuova istanza della classe e specifica il che può essere inserito nella matrice serializzata.
+
+ dell'oggetto da serializzare.
+
+
+ Ottiene o imposta il tipo di dati XML dell'elemento XML generato.
+ Un tipo di dati XSD (XML Schema Definition) secondo la definizione fornita da World Wide Web Consortium (www.w3.org) nel documento "XML Schema Part 2: DataTypes".
+
+
+ Ottiene o imposta il nome dell'elemento XML generato.
+ Il nome dell'elemento XML generato.Il valore predefinito è l'identificatore del membro.
+
+
+ Ottiene o imposta un valore che indica se il nome dell'elemento XML generato è completo.
+ Uno dei valori di .Il valore predefinito è XmlSchemaForm.None.
+ La proprietà è impostata su XmlSchemaForm.Unqualified e viene specificato un valore .
+
+
+ Ottiene o imposta un valore che indica se deve serializzare un membro come un tag XML vuoto con l'attributo xsi:nil impostato su true.
+ true se genera l'attributo xsi:nil; in caso contrario, false e non viene generata alcuna istanza.Il valore predefinito è true.
+
+
+ Ottiene o imposta lo spazio dei nomi dell'elemento XML generato.
+ Lo spazio dei nomi dell'elemento XML generato.
+
+
+ Ottiene o imposta il livello in una gerarchia di elementi XML interessati dall'.
+ Indice con inizio zero di un gruppo di indici in una matrice di matrici.
+
+
+ Ottiene o imposta il tipo consentito in una matrice.
+
+ consentito nella matrice.
+
+
+ Rappresenta una raccolta di oggetti .
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Aggiunge all'insieme.
+ L'indice dell'elemento aggiunto.
+ L'oggetto da aggiungere alla raccolta.
+
+
+ Consente di rimuovere tutti gli elementi dalla .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Determina se l'insieme contiene l'oggetto specificato.
+ true se nell'insieme è presente l'oggetto specificato; in caso contrario, false.
+
+ da verificare.
+
+
+ Copia una matrice di oggetti nell'insieme, a partire dall'indice di destinazione specificato.
+ Matrice di oggetti da copiare nell'insieme.
+ Indice in corrispondenza del quale iniziano gli attributi copiati.
+
+
+ Ottiene il numero di elementi contenuti in .
+ Il numero di elementi contenuti in .
+
+
+ Viene restituito un enumeratore per l'intero .
+
+ per l'intera .
+
+
+ Restituisce l'indice in base zero della prima occorrenza dell'oggetto specificato nella raccolta oppure -1 se l'attributo non risulta presente nella raccolta.
+ Primo indice dell'oggetto nell'insieme oppure -1 se l'attributo non risulta presente nell'insieme.
+ L'oggetto da individuare nell'insieme.
+
+
+ Consente di inserire un oggetto nell'insieme in corrispondenza dell'indice specificato.
+ Indice in corrispondenza del quale viene inserito l'attributo.
+ La classe da inserire.
+
+
+ Ottiene o imposta l'elemento in corrispondenza dell'indice specificato.
+
+ in corrispondenza dell'indice specificato.
+ L'indice con inizio zero del membro dell'insieme da ottenere o impostare.
+
+
+ Rimuove dall'insieme, se presente.
+ La classe da rimuovere.
+
+
+ Rimuove l'elemento dell'interfaccia in corrispondenza dell'indice specificato.
+ Indice in base zero dell'elemento da rimuovere.
+
+ non è un indice valido nell'interfaccia .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Copia l'intero oggetto in un oggetto compatibile unidimensionale, a partire dall'indice specificato della matrice di destinazione.
+ Oggetto unidimensionale che rappresenta la destinazione degli elementi copiati dall'oggetto .L'indicizzazione di deve essere in base zero.
+
+
+ Ottiene un valore che indica se l'accesso a è sincronizzato (thread-safe).
+ true se l'accesso all'oggetto è sincronizzato (thread-safe); in caso contrario, false.
+
+
+
+ Aggiunge un oggetto alla fine di .
+ Indice in corrispondenza del quale è stato aggiunto .
+ Oggetto da aggiungere alla fine di .Il valore può essere null.
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Determina se l'insieme contiene l'oggetto specificato.
+ true se nell'insieme è presente l'oggetto specificato; in caso contrario, false.
+
+
+ Restituisce l'indice in base zero della prima occorrenza dell'oggetto specificato nella raccolta oppure -1 se l'attributo non risulta presente nella raccolta.
+ Primo indice dell'oggetto nell'insieme oppure -1 se l'attributo non risulta presente nell'insieme.
+
+
+ Consente di inserire un elemento in in corrispondenza dell'indice specificato.
+ Indice in base zero nel quale deve essere inserito.
+ Oggetto da inserire.Il valore può essere null.
+
+ è minore di zero.- oppure - è maggiore di .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Ottiene un valore che indica se ha dimensioni fisse.
+ true se è di dimensioni fisse; in caso contrario, false.
+
+
+ Ottiene un valore che indica se è di sola lettura.
+ true se è di sola lettura. In caso contrario, false.
+
+
+ Ottiene o imposta l'elemento in corrispondenza dell'indice specificato.
+
+ in corrispondenza dell'indice specificato.
+ L'indice con inizio zero del membro dell'insieme da ottenere o impostare.
+
+
+ Rimuove la prima occorrenza di un oggetto specifico dall'interfaccia .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Specifica che deve serializzare il membro della classe come attributo XML.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il nome dell'attributo XML generato.
+ Il nome dell'attributo XML generato da .
+
+
+ Inizializza una nuova istanza della classe .
+ Nome dell'attributo XML generato.
+
+ utilizzato per archiviare l'attributo.
+
+
+ Inizializza una nuova istanza della classe .
+
+ utilizzato per archiviare l'attributo.
+
+
+ Recupera o imposta il nome dell'attributo XML.
+ Il nome dell'attributo XML.Il nome predefinito è il nome del membro.
+
+
+ Ottiene o imposta il tipo di dati XSD dell'attributo XML generato da .
+ Un tipo di dati XSD (XML Schema Document) secondo la definizione fornita da World Wide Web Consortium (www.w3.org) nel documento "XML Schema: DataTypes".
+
+
+ Ottiene o imposta un valore che indica se il nome dell'attributo XML generato da è completo.
+ Uno dei valori di .Il valore predefinito è XmlForm.None.
+
+
+ Ottiene o imposta lo spazio dei nomi XML dell'attributo XML.
+ Lo spazio dei nomi XML dell'attributo XML.
+
+
+ Ottiene o imposta il tipo complesso dell'attributo XML.
+ Tipo dell'attributo XML.
+
+
+ Consente di sottoporre a override gli attributi di una proprietà, di un campo e di una classe quando si utilizza per serializzare o deserializzare un oggetto
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Aggiunge un oggetto all'insieme di oggetti .Il parametro specifica un oggetto da sottoporre a override.Il parametro specifica il nome di un membro sottoposto a override.
+ Il dell'oggetto da sottoporre a override.
+ Il nome del membro da sottoporre a override.
+ Oggetto che rappresenta gli attributi che eseguono l'override.
+
+
+ Aggiunge un oggetto all'insieme di oggetti .Il parametro specifica un oggetto da sottoporre a override tramite l'oggetto .
+
+ dell'oggetto sottoposto a override.
+ Oggetto che rappresenta gli attributi che eseguono l'override.
+
+
+ Ottiene l'oggetti associato al tipo specificato della classe base.
+ Oggetto che rappresenta l'insieme degli attributi che eseguono l'override.
+ Classe base associata all'insieme di attributi che si desidera recuperare.
+
+
+ Ottiene gli oggetti associati al tipo specificato (classe base).Il parametro del membro specifica il membro della classe base sottoposto a override.
+ Oggetto che rappresenta l'insieme degli attributi che eseguono l'override.
+ Classe base associata all'insieme di attributi desiderati.
+ Il nome del membro sottoposto a override nel quale è specificata l'oggetto da restituire.
+
+
+ Rappresenta un insieme di oggetti attributo che controlla come serializza e deserializza un oggetto.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Ottiene o imposta la classe da sottoporre a override.
+ La classe da sottoporre a override.
+
+
+ Ottiene l'insieme di oggetti di cui eseguire l'override.
+ Un oggetto che rappresenta l'insieme di oggetti .
+
+
+ Recupera o imposta un oggetto che specifica come serializza un campo pubblico o una proprietà in lettura/scrittura che restituisce una matrice.
+
+ che specifica il modo in cui serializza un campo public o una proprietà di lettura/scrittura che restituisce una matrice.
+
+
+ Recupera o imposta un insieme di oggetti che specifica come serializza gli elementi inseriti in una matrice restituita da un campo pubblico o una proprietà di lettura/scrittura.
+ Un oggetto che contiene un insieme di oggetti .
+
+
+ Ottiene o imposta un oggetto che specifica come serializza un campo pubblico o una proprietà pubblica in lettura/scrittura come attributo XML.
+
+ che controlla la serializzazione di un campo public o di una proprietà di lettura/scrittura come attributo XML.
+
+
+ Ottiene o imposta un oggetto che consente di distinguere tra un gruppo di scelte.
+
+ che è possibile applicare a un membro della classe che viene serializzato come elemento xsi:choice.
+
+
+ Ottiene o imposta il valore predefinito di un attributo o elemento XML.
+ Un che rappresenta il valore predefinito dell'elemento o dell'attributo XML.
+
+
+ Ottiene un insieme di oggetti che specificano il modo in cui serializza un campo public o una proprietà di lettura/scrittura come elemento XML.
+ Un che contiene un insieme di oggetti .
+
+
+ Ottiene o imposta un oggetto che specifica come serializza un membro di enumerazione.
+ Un che specifica come serializza un membro di enumerazione.
+
+
+ Ottiene o imposta un valore che specifica se serializza o meno un campo pubblico o una proprietà in lettura/scrittura pubblica.
+ true se non deve serializzare il campo o la proprietà. In caso contrario, false.
+
+
+ Ottiene o imposta un valore che specifica se mantenere tutte le dichiarazioni degli spazi dei nomi quando un oggetto contenente un membro che restituisce un oggetto viene sottoposto a override.
+ true se le dichiarazioni degli spazi dei nomi devono essere mantenute; in caso contrario false.
+
+
+ Ottiene o imposta un oggetto che specifica come serializza una classe come elemento XML di primo livello.
+ Un che esegue l'override di una classe con attributi come elemento XML di primo livello.
+
+
+ Ottiene o imposta un oggetto che fa in modo che serializzi un campo pubblico o una proprietà pubblica in lettura/scrittura come testo XML.
+ Un che esegue l'override della serializzazione predefinita di un campo pubblico o di una proprietà.
+
+
+ Ottiene o imposta un oggetto che specifica come serializza una classe alla quale è stato applicato .
+ Un che esegue l'override di un applicato a una dichiarazione di classe.
+
+
+ Specifica che è possibile utilizzare un'enumerazione per rilevare ulteriormente il membro.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe .
+ Nome del membro che restituisce l'enumerazione utilizzata per rilevare la scelta.
+
+
+ Ottiene o imposta il nome del campo che restituisce l'enumerazione da utilizzare per rilevare i tipi.
+ Il nome di un campo che restituisce un'enumerazione.
+
+
+ Indica che una proprietà o un campo public rappresenta un elemento XML quando serializza o deserializza l'oggetto in cui è contenuto.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Consente di inizializzare una nuova istanza della classe e di specificare il nome dell'elemento XML.
+ Il nome dell'elemento XML del membro serializzato.
+
+
+ Inizializza una nuova istanza di e specifica il nome dell'elemento XML e un tipo derivato per il membro a cui viene applicato .Questo tipo di membro viene utilizzato quando serializza l'oggetto in cui è contenuto.
+ Il nome dell'elemento XML del membro serializzato.
+
+ di un oggetto derivato dal tipo del membro.
+
+
+ Inizializza una nuova istanza di e specifica un tipo per il membro a cui viene applicato .Questo tipo viene utilizzato da durante la serializzazione o la deserializzazione dell'oggetto in cui è contenuto.
+
+ di un oggetto derivato dal tipo del membro.
+
+
+ Ottiene o imposta il tipo di dati XSD (XML Schema Definition) dell'elemento XML generato da .
+ Un tipo di dati XML Schema secondo la definizione fornita da World Wide Web Consortium (www.w3.org) nel documento "XML Schema Part 2: Datatypes".
+ Non è possibile eseguire il mapping del tipo di dati XML Schema al tipo di dati .NET.
+
+
+ Ottiene o imposta il nome dell'elemento XML generato.
+ Il nome dell'elemento XML generato.Il valore predefinito è l'identificatore del membro.
+
+
+ Ottiene o imposta un valore che indica se l'elemento è completo.
+ Uno dei valori di .Il valore predefinito è .
+
+
+ Ottiene o imposta un valore che indica se deve serializzare un membro impostato su null come un tag vuoto con l'attributo xsi:nil impostato su true.
+ true se l'attributo xsi:nil viene generato dalla classe ; in caso contrario, false.
+
+
+ Ottiene o imposta lo spazio dei nomi assegnato all'elemento XML restituito quando la classe viene serializzata.
+ Lo spazio dei nomi dell'elemento XML.
+
+
+ Ottiene o imposta l'ordine esplicito in cui gli elementi vengono serializzati o deserializzati.
+ Ordine di generazione del codice.
+
+
+ Ottiene o imposta il tipo di oggetto utilizzato per rappresentare l'elemento XML.
+ Il del membro.
+
+
+ Rappresenta un insieme di oggetti utilizzato dalla classe per eseguire l'override della modalità predefinita di serializzazione di una classe.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Consente di aggiungere una classe all'insieme.
+ Indice in base zero del nuovo elemento aggiunto.
+ Oggetto da aggiungere.
+
+
+ Consente di rimuovere tutti gli elementi dalla .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Determina se l'insieme contiene l'oggetto specificato.
+ true se l'oggetto è presente nella raccolta, in caso contrario false.
+ Oggetto da ricercare.
+
+
+ Copia o una parte di esso in una matrice unidimensionale.
+ La matrice per conservare gli elementi copiati.
+ Indice in base zero della matrice specificata nel parametro in corrispondenza del quale ha inizio la copia.
+
+
+ Ottiene il numero di elementi contenuti in .
+ Il numero di elementi contenuti in .
+
+
+ Viene restituito un enumeratore per l'intero .
+
+ per l'intera .
+
+
+ Ottiene l'indice della classe specificata.
+ Indice in base zero di .
+ Oggetto di cui viene recuperato l'indice.
+
+
+ Inserisce un nell'insieme.
+ Indice in base zero in cui viene inserito il membro.
+ Oggetto da inserire.
+
+
+ Ottiene o imposta l'elemento in corrispondenza dell'indice specificato.
+ Elemento in corrispondenza dell'indice specificato.
+ Indice a base zero dell'elemento da ottenere o impostare.
+
+ non è un indice valido nell'interfaccia .
+ La proprietà è impostata e l'interfaccia è in sola lettura.
+
+
+ Rimuove l'oggetto specificato dalla raccolta.
+ Il da rimuovere dall'insieme.
+
+
+ Rimuove l'elemento dell'interfaccia in corrispondenza dell'indice specificato.
+ Indice in base zero dell'elemento da rimuovere.
+
+ non è un indice valido nell'interfaccia .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Copia l'intero oggetto in un oggetto compatibile unidimensionale, a partire dall'indice specificato della matrice di destinazione.
+ Oggetto unidimensionale che rappresenta la destinazione degli elementi copiati dall'oggetto .L'indicizzazione di deve essere in base zero.
+
+
+ Ottiene un valore che indica se l'accesso a è sincronizzato (thread-safe).
+ true se l'accesso all'oggetto è sincronizzato (thread-safe); in caso contrario, false.
+
+
+ Ottiene un oggetto che può essere utilizzato per sincronizzare l'accesso a .
+ Oggetto che può essere utilizzato per sincronizzare l'accesso a .
+
+
+ Aggiunge un oggetto alla fine di .
+ Indice in corrispondenza del quale è stato aggiunto .
+ Oggetto da aggiungere alla fine di .Il valore può essere null.
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Stabilisce se l'interfaccia contiene un valore specifico.
+ true se l'oggetto si trova nell'insieme ; in caso contrario false.
+ Oggetto da individuare nell'oggetto .
+
+
+ Determina l'indice di un elemento specifico nell'interfaccia .
+ Indice di , se presente nell'elenco; in caso contrario, -1.
+ Oggetto da individuare nell'oggetto .
+
+
+ Consente di inserire un elemento in in corrispondenza dell'indice specificato.
+ Indice in base zero nel quale deve essere inserito.
+ Oggetto da inserire.Il valore può essere null.
+
+ è minore di zero.- oppure - è maggiore di .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Ottiene un valore che indica se ha dimensioni fisse.
+ true se è di dimensioni fisse; in caso contrario, false.
+
+
+ Ottiene un valore che indica se è di sola lettura.
+ true se è di sola lettura. In caso contrario, false.
+
+
+ Ottiene o imposta l'elemento in corrispondenza dell'indice specificato.
+ Elemento in corrispondenza dell'indice specificato.
+ Indice a base zero dell'elemento da ottenere o impostare.
+
+ non è un indice valido nell'interfaccia .
+ La proprietà è impostata e l'interfaccia è in sola lettura.
+
+
+ Rimuove la prima occorrenza di un oggetto specifico dall'interfaccia .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Consente di controllare le modalità di serializzazione di un membro di enumerazione utilizzate nella classe .
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il valore XML che genera o riconosce (rispettivamente quando serializza o deserializza una classe).
+ Il nome di override del membro dell'enumerazione.
+
+
+ Ottiene o imposta il valore generato in un'istanza di un documento XML quando serializza un'enumerazione o il valore riconosciuto quando deserializza il membro dell'enumerazione.
+ Il valore generato in un'istanza del documento XML quando serializza l'enumerazione o il valore riconosciuto quando deserializza il membro dell'enumerazione.
+
+
+ Fa in modo che il metodo di non serializzi il campo pubblico o il valore pubblico della proprietà in lettura/scrittura.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Consente all' di riconoscere un tipo quando serializza o deserializza un oggetto.
+
+
+ Inizializza una nuova istanza della classe .
+ Il dell'oggetto da includere.
+
+
+ Ottiene o imposta il tipo di oggetto da includere.
+ Il dell'oggetto da includere.
+
+
+ Specifica che la proprietà, il parametro, il valore restituito o il membro di classe di destinazione contiene prefissi associati agli spazi dei nomi utilizzati all'interno di un documento XML.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Controlla la serializzazione XML della destinazione dell'attributo come un elemento di primo livello.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il nome dell'elemento XML di primo livello.
+ Il nome dell'elemento XML di primo livello.
+
+
+ Ottiene o imposta il tipo di dati XSD dell'elemento XML di primo livello.
+ Un tipo di dati XSD (XML Schema Document) secondo la definizione fornita da World Wide Web Consortium (www.w3.org) nel documento "XML Schema: DataTypes".
+
+
+ Ottiene o imposta il nome dell'elemento XML generato e riconosciuto rispettivamente dai metodi e della classe .
+ Il nome dell'elemento XML generato e riconosciuto in un'istanza di un documento XML.Il valore predefinito è il nome della classe serializzata.
+
+
+ Ottiene o imposta un valore che indica se deve serializzare un membro impostato su null nell'attributo xsi:nil impostato su true.
+ true se l'attributo xsi:nil viene generato dalla classe ; in caso contrario, false.
+
+
+ Ottiene o imposta lo spazio dei nomi dell'elemento XML di primo livello.
+ Lo spazio dei nomi dell'elemento XML.
+
+
+ Serializza e deserializza oggetti in e da documenti XML. consente di controllare le modalità di codifica degli oggetti in XML.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe in grado di serializzare gli oggetti del tipo specificato in documenti XML e di deserializzare documenti XML in oggetti del tipo specificato.
+ Il tipo dell'oggetto che questo può serializzare.
+
+
+ Inizializza una nuova istanza della classe in grado di serializzare gli oggetti del tipo specificato in documenti XML e di deserializzare documenti XML in oggetti del tipo specificato.Specifica lo spazio dei nomi predefinito per tutti gli elementi XML.
+ Il tipo dell'oggetto che questo può serializzare.
+ Lo spazio dei nomi predefinito da utilizzare per tutti gli elementi XML.
+
+
+ Inizializza una nuova istanza della classe in grado di serializzare gli oggetti del tipo specificato in documenti XML e di deserializzare documenti XML in oggetti di un tipo specificato.Se una proprietà o un campo restituisce una matrice, il parametro specifica gli oggetti che possono essere inseriti nella matrice.
+ Il tipo dell'oggetto che questo può serializzare.
+ Una matrice di ulteriori oggetti da serializzare.
+
+
+ Inizializza una nuova istanza della classe in grado di serializzare gli oggetti del tipo specificato in documenti XML e di deserializzare documenti XML in oggetti del tipo specificato.Ciascun oggetto da serializzare può contenere istanze di classi e questo overload può eseguire l'override con altre classi.
+ Il tipo dell'oggetto da serializzare.
+ Oggetto .
+
+
+ Inizializza una nuova istanza della classe in grado di serializzare oggetti di tipo in istanze di documento XML e di deserializzare istanze di documento XML in oggetti di tipo .Ciascun oggetto da serializzare può contenere istanze di classi e questo overload ne esegue l'override con altre classi.Questo overload specifica inoltre lo spazio dei nomi predefinito per tutti gli elementi XML e la classe da utilizzare come elemento XML di primo livello.
+ Il tipo dell'oggetto che questo può serializzare.
+
+ che estende il comportamento della classe specificata nel parametro o ne esegue l'override.
+ Una matrice di ulteriori oggetti da serializzare.
+ Un che definisce le proprietà dell'elemento XML di primo livello.
+ Lo spazio dei nomi predefinito di tutti gli elementi XML nel documento XML.
+
+
+ Inizializza una nuova istanza della classe in grado di serializzare gli oggetti del tipo specificato in documenti XML e di deserializzare documenti XML in oggetti del tipo specificato.Specifica inoltre la classe da utilizzare come elemento XML di primo livello.
+ Il tipo dell'oggetto che questo può serializzare.
+ Un che rappresenta l'elemento XML di primo livello.
+
+
+ Ottiene un valore che indica se questo può deserializzare un documento XML specificato.
+ true se questo può deserializzare l'oggetto a cui punta . In caso contrario, false.
+ Un che punta al documento da deserializzare.
+
+
+ Deserializza il documento XML contenuto dal specificato.
+ L' da deserializzare.
+
+ contenente il documento XML da deserializzare.
+
+
+ Deserializza il documento XML contenuto dal specificato.
+ L' da deserializzare.
+
+ contenente il documento XML da deserializzare.
+ Si è verificato un errore durante la deserializzazione.L'eccezione originale è disponibile tramite la proprietà .
+
+
+ Deserializza il documento XML contenuto dal specificato.
+ L' da deserializzare.
+
+ contenente il documento XML da deserializzare.
+ Si è verificato un errore durante la deserializzazione.L'eccezione originale è disponibile tramite la proprietà .
+
+
+ Restituisce una matrice di oggetti creati da una matrice di tipi.
+ Matrice di oggetti .
+ Matrice di oggetti .
+
+
+ Serializza l' specificato e scrive il documento XML in un file utilizzando il specificato.
+ Il utilizzato per scrivere il documento XML.
+
+ da serializzare.
+ Si è verificato un errore durante la serializzazione.L'eccezione originale è disponibile tramite la proprietà .
+
+
+ Serializza l'oggetto specificato e scrive il documento XML in un file mediante l'oggetto specificato, che fa riferimento agli spazi dei nomi specificati.
+ Il utilizzato per scrivere il documento XML.
+
+ da serializzare.
+ L' cui fa riferimento l'oggetto.
+ Si è verificato un errore durante la serializzazione.L'eccezione originale è disponibile tramite la proprietà .
+
+
+ Serializza l' specificato e scrive il documento XML in un file utilizzando il specificato.
+ Il utilizzato per scrivere il documento XML.
+
+ da serializzare.
+
+
+ Serializza l'oggetto specificato e scrive il documento XML in un file mediante l'oggetto specificato, facendo riferimento agli spazi dei nomi specificati.
+ Il utilizzato per scrivere il documento XML.
+
+ da serializzare.
+
+ contenente gli spazi dei nomi del documento XML generato.
+ Si è verificato un errore durante la serializzazione.L'eccezione originale è disponibile tramite la proprietà .
+
+
+ Serializza l' specificato e scrive il documento XML in un file utilizzando il specificato.
+ Il utilizzato per scrivere il documento XML.
+
+ da serializzare.
+ Si è verificato un errore durante la serializzazione.L'eccezione originale è disponibile tramite la proprietà .
+
+
+ Serializza l'oggetto specificato e scrive il documento XML in un file mediante l'oggetto specificato, facendo riferimento agli spazi dei nomi specificati.
+ Il utilizzato per scrivere il documento XML.
+
+ da serializzare.
+ L' cui fa riferimento l'oggetto.
+ Si è verificato un errore durante la serializzazione.L'eccezione originale è disponibile tramite la proprietà .
+
+
+ Contiene gli spazi dei nomi e i prefissi XML che usa per generare i nomi completi in un'istanza di un documento XML.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe , utilizzando l'istanza specificata di XmlSerializerNamespaces che contiene l'insieme delle coppie di prefisso e spazio dei nomi.
+ Istanza di che contiene le coppie di spazio dei nomi e prefisso.
+
+
+ Inizializza una nuova istanza della classe .
+ Matrice di oggetti .
+
+
+ Aggiunge una coppia di prefisso e spazio dei nomi a un oggetto .
+ Il prefisso associato a uno spazio dei nomi XML.
+ Uno spazio dei nomi XML.
+
+
+ Ottiene il numero di coppie di prefisso e spazio dei nomi nell'insieme.
+ Numero di coppie di prefisso e spazio dei nomi nell'insieme.
+
+
+ Ottiene la matrice delle coppie di prefisso e spazio dei nomi in un oggetto .
+ Una matrice di oggetti utilizzati come nomi completi in un documento XML.
+
+
+ Indica a che il membro deve essere trattato come testo XML quando la classe in cui è contenuto viene serializzata o deserializzata.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe .
+
+ del membro da serializzare.
+
+
+ Ottiene o imposta il tipo di dati XSD (XML Schema Definition Language) del testo generato dalla classe .
+ Tipo di dati XSD (XML Schema), secondo la definizione fornita da World Wide Web Consortium (www.w3.org) nel documento "XML Schema Part 2: Datatypes".
+ Non è possibile eseguire il mapping del tipo di dati XML Schema al tipo di dati .NET.
+ Il tipo di dati XML Schema specificato non è valido per la proprietà e non può essere convertito nel tipo di membro.
+
+
+ Ottiene o imposta il tipo del membro.
+ Il del membro.
+
+
+ Controlla lo schema XML generato quando la destinazione dell'attributo viene serializzata dalla classe .
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il nome del tipo XML.
+ Il nome del tipo XML generato dalla classe durante la serializzazione dell'istanza della classe e riconosciuto durante la deserializzazione dell'istanza della classe.
+
+
+ Ottiene o imposta un valore che determina se il tipo di schema risultante è un tipo anonimo XSD.
+ true se il tipo di schema risultante è un tipo anonimo XSD. In caso contrario, false.
+
+
+ Ottiene o imposta un valore che indica se includere il tipo nei documenti dello schema XML.
+ true per includere il tipo nei documenti di schema XML; in caso contrario, false.
+
+
+ Ottiene o imposta lo spazio dei nomi del tipo XML.
+ Lo spazio dei nomi del tipo XML.
+
+
+ Ottiene o imposta il nome del tipo XML.
+ Il nome del tipo XML.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/ja/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/ja/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..da1c62e
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/ja/System.Xml.XmlSerializer.xml
@@ -0,0 +1,1069 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ メンバー ( オブジェクトの配列を返すフィールド) に任意の XML 属性を含めることができるように指定します。
+
+
+
+ クラスの新しいインスタンスを生成します。
+
+
+ メンバー ( オブジェクトまたは オブジェクトの配列を返すフィールド) に、シリアル化または逆シリアル化対象のオブジェクト内に対応するメンバーがない任意の XML 要素を表すオブジェクトを含めるように指定します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML ドキュメントに生成される XML 要素名を指定します。
+
+ が生成する XML 要素の名前。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML ドキュメントに生成される XML 要素名とその XML 名前空間を指定します。
+
+ が生成する XML 要素の名前。
+ XML 要素の XML 名前空間。
+
+
+ XML 要素名を取得または設定します。
+ XML 要素の名前。
+ 配列メンバーの要素名が、 プロパティに指定されている要素名と一致しません。
+
+
+ XML ドキュメントに生成される XML 名前空間を取得または設定します。
+ XML 名前空間。
+
+
+ 要素のシリアル化または逆シリアル化を行う明示的な順序を取得または設定します。
+ コード生成の順序。
+
+
+
+ オブジェクトのコレクションを表します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ をコレクションに追加します。
+ 新しく追加された のインデックス。
+ 追加する 。
+
+
+
+ からすべてのオブジェクトを削除します。このメソッドはオーバーライドできません。
+
+
+ 指定した がコレクション内に存在するかどうかを示す値を取得します。
+
+ がコレクション内に存在する場合は true。それ以外の場合は false。
+ コレクション内に存在するかどうかを確認する対象の 。
+
+
+ コピー先配列の指定されたインデックスを開始位置として、コレクション全体を、 オブジェクトの互換性がある 1 次元配列にコピーします。
+ コレクションからコピーされる要素のコピー先である オブジェクトの 1 次元配列。配列では 0 から始まるインデックスを使用する必要があります。
+ コピーの開始位置となる、 内の 0 から始まるインデックス。
+
+
+
+ インスタンスに格納されている要素の数を取得します。
+
+ インスタンスに格納されている要素の数。
+
+
+
+ を反復処理する列挙子を返します。
+
+ を反復処理する列挙子。
+
+
+ 指定した のインデックスを取得します。
+ 指定した のインデックス。
+ インデックスを取得する対象の 。
+
+
+
+ をコレクション内の指定のインデックス位置に挿入します。
+
+ の挿入位置を示すインデックス。
+ 挿入する 。
+
+
+ 指定したインデックス位置にある を取得または設定します。
+ 指定したインデックス位置にある 。
+
+ のインデックス。
+
+
+ 指定した をコレクションから削除します。
+ 削除する 。
+
+
+
+ の指定したインデックスにある要素を削除します。このメソッドはオーバーライドできません。
+ 削除される要素のインデックス。
+
+
+ コレクション全体を オブジェクトの互換性がある 1 次元配列にコピーします。コピー操作は、コピー先の配列の指定したインデックスから始まります。
+ 1 次元配列。
+ 指定したインデックス。
+
+
+
+ へのアクセスが同期されている (スレッド セーフである) かどうかを示す値を取得します。
+
+ へのアクセスが同期されている場合は True。それ以外の場合は false。
+
+
+
+ へのアクセスを同期するために使用できるオブジェクトを取得します。
+
+ へのアクセスを同期するために使用できるオブジェクト。
+
+
+
+ の末尾にオブジェクトを追加します。
+ コレクションに追加されたオブジェクト。
+ コレクションに追加されるオブジェクトの値。
+
+
+
+ に特定の要素が格納されているかどうかを判断します。
+
+ に特定の要素が含まれている場合は True。それ以外の場合は false。
+ 要素の値。
+
+
+ 指定したオブジェクトを検索し、 全体内で最初に見つかった位置の 0 から始まるインデックスを返します。
+ オブジェクトの 0 から始まるインデックス。
+ オブジェクトの値。
+
+
+
+ 内の指定したインデックスの位置に要素を挿入します。
+ 要素が挿入されるインデックス。
+ 要素の値。
+
+
+
+ が固定サイズかどうかを示す値を取得します。
+
+ が固定サイズの場合は True。それ以外の場合は false。
+
+
+
+ が読み取り専用かどうかを示す値を取得します。
+
+ が読み取り専用である場合は True。それ以外の場合は false。
+
+
+ 指定したインデックスにある要素を取得または設定します。
+ 指定したインデックスにある要素。
+ 要素のインデックス。
+
+
+
+ 内で最初に見つかった特定のオブジェクトを削除します。
+ 削除されるオブジェクトの値。
+
+
+
+ が特定のクラス メンバーを XML 要素の配列としてシリアル化する必要があることを指定します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML ドキュメント インスタンスに生成される XML 要素名を指定します。
+
+ が生成する XML 要素の名前。
+
+
+ シリアル化された配列に与えられた、XML 要素の名前を取得または設定します。
+ シリアル化された配列の XML 要素名。既定値は、 が割り当てられたメンバーの名前です。
+
+
+
+ によって生成された XML 要素名が修飾されているかどうかを示す値を取得または設定します。
+
+ 値のいずれか。既定値は、XmlSchemaForm.None です。
+
+
+
+ で、xsi:nil 属性が true に設定された空の XML タグとしてメンバーをシリアル化する必要があるかどうかを示す値を取得または設定します。
+
+ が xsi:nil 属性を生成する場合は true。それ以外の場合は false。
+
+
+ XML 要素の名前空間を取得または設定します。
+ XML 要素の名前空間。
+
+
+ 要素のシリアル化または逆シリアル化を行う明示的な順序を取得または設定します。
+ コード生成の順序。
+
+
+
+ がシリアル化された配列で配置できる派生型を指定する属性を表します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML ドキュメントで生成される XML 要素の名前を指定します。
+ XML 要素の名前。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML ドキュメントで生成される XML 要素の名前、および生成される XML ドキュメントに挿入できる を指定します。
+ XML 要素の名前。
+ シリアル化するオブジェクトの 。
+
+
+
+ クラスの新しいインスタンスを初期化し、シリアル化される配列に挿入できる を指定します。
+ シリアル化するオブジェクトの 。
+
+
+ 生成された XML 要素の XML データ型を取得または設定します。
+ World Wide Web Consortium (www.w3.org) のドキュメント『XML Schema Part 2: DataTypes』で定義されている XML スキーマ定義 (XSD) データ型。
+
+
+ 生成された XML 要素の名前を取得または設定します。
+ 生成された XML 要素の名前。既定値はメンバー識別子です。
+
+
+ 生成された XML 要素名が修飾されているかどうかを示す値を取得または設定します。
+
+ 値のいずれか。既定値は、XmlSchemaForm.None です。
+
+ プロパティが XmlSchemaForm.Unqualified に設定され、 値が指定されています。
+
+
+
+ で、xsi:nil 属性が true に設定された空の XML タグとしてメンバーをシリアル化する必要があるかどうかを示す値を取得または設定します。
+
+ が xsi:nil 属性を生成する場合は true。それ以外の場合は false で、インスタンスは作成されません。既定値は、true です。
+
+
+ 生成された XML 要素の名前空間を取得または設定します。
+ 生成された XML 要素の名前空間。
+
+
+
+ が影響を与える XML 要素の階層構造のレベルを取得または設定します。
+ 複数の配列内の 1 つの配列のインデックスのセットの 0 から始まるインデックス番号。
+
+
+ 配列内で使用できる型を取得または設定します。
+ 配列内で使用できる 。
+
+
+
+ オブジェクトのコレクションを表します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ をコレクションに追加します。
+ 追加された項目のインデックス。
+ コレクションに追加する 。
+
+
+
+ からすべての要素を削除します。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+ 指定した がコレクションに含まれているかどうかを判断します。
+ 指定した がコレクションに含まれている場合は true。それ以外の場合は false。
+ 確認する対象の 。
+
+
+ コピー先の指定したインデックスを開始位置として、 配列をコレクションにコピーします。
+ コレクションにコピーする オブジェクトの配列。
+ コピーされた属性の開始位置のインデックス。
+
+
+
+ に格納されている要素の数を取得します。
+
+ に格納されている要素の数。
+
+
+ この の列挙子を返します。
+
+ 全体の 。
+
+
+ コレクション内で指定した が最初に見つかった位置の 0 から始まるインデックスを返します。属性がコレクション内で見つからなかった場合は -1 を返します。
+ コレクション内の の最初のインデックス。コレクション内に属性が存在しない場合は -1。
+ コレクション内で検索する 。
+
+
+
+ をコレクション内の指定のインデックス位置に挿入します。
+ 属性が挿入される位置のインデックス。
+ 挿入する 。
+
+
+ 指定したインデックス位置にある項目を取得または設定します。
+ 指定したインデックス位置にある 。
+ 取得または設定するコレクション メンバーの 0 から始まるインデックス。
+
+
+ コレクションに が存在する場合は削除します。
+ 削除する 。
+
+
+ 指定したインデックス位置にある 項目を削除します。
+ 削除する項目の 0 から始まるインデックス。
+
+ が の有効なインデックスではありません。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+ すべての を互換性のある 1 次元の にコピーします。コピー操作は、コピー先の配列の指定したインデックスから始まります。
+
+ から要素をコピーする、1 次元の です。 には、0 から始まるインデックス番号が必要です。
+
+
+
+ へのアクセスが同期されている (スレッド セーフである) かどうかを示す値を取得します。
+
+ へのアクセスが同期されている (スレッド セーフである) 場合は true。それ以外の場合は false。
+
+
+
+
+ の末尾にオブジェクトを追加します。
+
+ が追加された位置の インデックス。
+
+ の末尾に追加する 。値は null に設定できます。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+ 指定した がコレクションに含まれているかどうかを判断します。
+ 指定した がコレクションに含まれている場合は true。それ以外の場合は false。
+
+
+ コレクション内で指定した が最初に見つかった位置の 0 から始まるインデックスを返します。属性がコレクション内で見つからなかった場合は -1 を返します。
+ コレクション内の の最初のインデックス。コレクション内に属性が存在しない場合は -1。
+
+
+
+ 内の指定したインデックスの位置に要素を挿入します。
+
+ を挿入する位置の、0 から始まるインデックス番号。
+ 挿入する 。値は null に設定できます。
+
+ が 0 未満です。または が より大きくなっています。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+
+ が固定サイズかどうかを示す値を取得します。
+
+ が固定サイズの場合は true。それ以外の場合は false。
+
+
+
+ が読み取り専用かどうかを示す値を取得します。
+
+ が読み取り専用である場合は true。それ以外の場合は false。
+
+
+ 指定したインデックス位置にある項目を取得または設定します。
+ 指定したインデックス位置にある 。
+ 取得または設定するコレクション メンバーの 0 から始まるインデックス。
+
+
+
+ 内で最初に見つかった特定のオブジェクトを削除します。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+
+ がクラス メンバーを XML 属性としてシリアル化する必要があることを指定します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、生成される XML 属性の名前を指定します。
+
+ が生成する XML 属性の名前。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+ 生成される XML 属性の名前。
+ 属性を取得するために使用する 。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+ 属性を取得するために使用する 。
+
+
+ XML 属性の名前を取得または設定します。
+ XML 属性の名前。既定値はメンバー名です。
+
+
+
+ によって生成された XML 属性の XSD データ型を取得または設定します。
+ W3C (World Wide Web Consortium) (www.w3.org ) のドキュメント『XML Schema: DataTypes』で定義されている XSD (XML スキーマ ドキュメント) データ型。
+
+
+
+ によって生成された XML 属性名が修飾されているかどうかを示す値を取得または設定します。
+
+ 値のいずれか。既定値は、XmlForm.None です。
+
+
+ XML 属性の XML 名前空間を取得または設定します。
+ XML 属性の XML 名前空間。
+
+
+ XML 属性の複合型を取得または設定します。
+ XML 属性の型。
+
+
+ オブジェクトをシリアル化または逆シリアル化するために を使用するときに、プロパティ、フィールド、クラスの各属性をユーザーがオーバーライドできるようにします。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ オブジェクトを オブジェクトのコレクションに追加します。 パラメーターは、オーバーライドされるオブジェクトを指定します。 パラメーターは、オーバーライドされるメンバーの名前を指定します。
+ オーバーライドするオブジェクトの 。
+ オーバーライドするメンバーの名前。
+ オーバーライドする側の属性を表す オブジェクト。
+
+
+
+ オブジェクトを オブジェクトのコレクションに追加します。 パラメーターは、 オブジェクトによってオーバーライドされるオブジェクトを指定します。
+ オーバーライドされるオブジェクトの 。
+ オーバーライドする側の属性を表す オブジェクト。
+
+
+ 指定された (基本クラス) 型に関連付けられたオブジェクトを取得します。
+ オーバーライドする側の属性のコレクションを表す 。
+ 取得する属性のコレクションに関連付けられている基本クラスの 。
+
+
+ 指定された (基本クラス) 型に関連付けられたオブジェクトを取得します。メンバー パラメーターは、オーバーライドされた基本クラス メンバーを指定します。
+ オーバーライドする側の属性のコレクションを表す 。
+ 使用する属性のコレクションに関連付けられている基本クラスの 。
+ 返す を指定する、オーバーライドされたメンバーの名前。
+
+
+
+ がオブジェクトをシリアル化および逆シリアル化する方法を制御する属性オブジェクトのコレクションを表します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ オーバーライドする を取得または設定します。
+ オーバーライドする 。
+
+
+ オーバーライドする オブジェクトのコレクションを取得します。
+
+ オブジェクトのコレクションを表す オブジェクト。
+
+
+
+ が、配列を返すパブリック フィールドまたは読み取り/書き込みプロパティをシリアル化する方法を指定するオブジェクトを取得または設定します。
+ 配列を返すパブリック フィールドまたは読み取り/書き込みプロパティを でシリアル化する方法を指定する 。
+
+
+ パブリック フィールドまたは読み取り/書き込みプロパティによって返された配列に挿入されている項目を によってシリアル化する方法を指定するオブジェクトのコレクションを取得または設定します。
+
+ オブジェクトのコレクションを格納している オブジェクト。
+
+
+
+ が、パブリック フィールドまたはパブリックな読み取り/書き込みプロパティを XML 属性としてシリアル化する方法を指定するオブジェクトを取得または設定します。
+ パブリック フィールドまたは読み取り/書き込みプロパティを XML 属性としてシリアル化する方法を制御する 。
+
+
+ 複数の選択肢を区別できるようにするオブジェクトを取得または設定します。
+ xsi:choice 要素としてシリアル化されているクラス メンバーに適用できる 。
+
+
+ XML 要素または XML 属性の既定値を取得または設定します。
+ XML 要素または XML 属性の既定値を表す 。
+
+
+
+ がパブリック フィールドまたは読み取り/書き込みプロパティを XML 要素としてシリアル化する方法を指定する、オブジェクトのコレクションを取得します。
+
+ オブジェクトのコレクションを格納している 。
+
+
+
+ が列挙体メンバーをシリアル化する方法を指定するオブジェクトを取得または指定します。
+
+ が列挙体メンバーをシリアル化する方法を指定する 。
+
+
+
+ がパブリック フィールドまたは読み書き可能なパブリック プロパティをシリアル化するかどうかを指定する値を取得または設定します。
+
+ がそのフィールドまたはプロパティをシリアル化しない場合は true。それ以外の場合は false。
+
+
+
+ オブジェクトを返すメンバーを格納するオブジェクトがオーバーライドされたときに、すべての名前空間宣言を保持するかどうかを示す値を取得または設定します。
+ 名前空間宣言を保持する場合は true。それ以外の場合は false。
+
+
+
+ がクラスを XML ルート要素としてシリアル化する方法を指定するオブジェクトを取得または指定します。
+ XML ルート要素として属性が設定されているクラスをオーバーライドする 。
+
+
+
+ に対してパブリック フィールドまたはパブリックな読み取り/書き込みプロパティを XML テキストとしてシリアル化するよう指示するオブジェクトを取得または設定します。
+ パブリック プロパティまたはフィールドの既定のシリアル化をオーバーライドする 。
+
+
+
+ が適用されているクラスを がシリアル化する方法を指定するオブジェクトを取得または指定します。
+ クラス宣言に適用された をオーバーライドする 。
+
+
+ 列挙体を使用して、メンバーを明確に検出できるようにすることを指定します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+ メンバーを検出するために使用される列挙体を返すメンバー名。
+
+
+ 型を検出するときに使用される列挙体を返すフィールドの名前を取得または設定します。
+ 列挙体を返すフィールドの名前。
+
+
+ パブリック フィールドまたはパブリック プロパティを持つオブジェクトを がシリアル化または逆シリアル化するときに、それらのフィールドまたはプロパティが XML 要素を表すかどうかを示します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML 要素の名前を指定します。
+ シリアル化されたメンバーの XML 要素名。
+
+
+
+ の新しいインスタンスを初期化し、 の適用先であるメンバーの XML 要素の名前と派生型を指定します。このメンバー型が使用されるのは、その型を含むオブジェクトを がシリアル化する場合です。
+ シリアル化されたメンバーの XML 要素名。
+ メンバーの型から派生したオブジェクトの 。
+
+
+
+ クラスの新しいインスタンスを初期化し、 の適用先のメンバーの型を指定します。この型が使用されるのは、その型を含むオブジェクトを がシリアル化または逆シリアル化する場合です。
+ メンバーの型から派生したオブジェクトの 。
+
+
+
+ によって生成された XML 要素の XML スキーマ定義 (XSD: XML Schema Definition) データ型を取得または設定します。
+ W3C (World Wide Web Consortium) (www.w3.org ) のドキュメント『XML Schema Part 2: Datatypes』で定義されている XML スキーマ データ型。
+ 指定した XML スキーマ データ型を .NET データ型に割り当てることはできません。
+
+
+ 生成された XML 要素の名前を取得または設定します。
+ 生成された XML 要素の名前。既定値はメンバー識別子です。
+
+
+ 要素が修飾されているかどうかを示す値を取得または設定します。
+
+ 値のいずれか。既定値は、 です。
+
+
+
+ が、null に設定されているメンバーを、xsi:nil 属性が true に設定されている空タグとしてシリアル化する必要があるかどうかを示す値を取得または設定します。
+
+ が xsi:nil 属性を生成する場合は true。それ以外の場合は false。
+
+
+ クラスがシリアル化されたときに、結果として XML 要素に割り当てられた名前空間を取得または設定します。
+ XML 要素の名前空間。
+
+
+ 要素のシリアル化または逆シリアル化を行う明示的な順序を取得または設定します。
+ コード生成の順序。
+
+
+ XML 要素を表すために使用されるオブジェクト型を取得または設定します。
+ メンバーの 。
+
+
+
+ がクラスをシリアル化する既定の方法をオーバーライドするために使用する、 オブジェクトのコレクションを表します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ をコレクションに追加します。
+ 新しく追加された項目の 0 から始まるインデックス。
+ 追加する 。
+
+
+
+ からすべての要素を削除します。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+ 指定したオブジェクトがコレクションに格納されているかどうかを確認します。
+ オブジェクトがコレクション内に存在する場合は true。それ以外の場合は false。
+ 検索対象の 。
+
+
+
+ またはその一部を 1 次元配列にコピーします。
+ コピーされた要素を保つための アレー。
+ コピーの開始位置となる、 内の 0 から始まるインデックス。
+
+
+
+ に格納されている要素の数を取得します。
+
+ に格納されている要素の数。
+
+
+ この の列挙子を返します。
+
+ 全体の 。
+
+
+ 指定した のインデックスを取得します。
+
+ の 0 から始まるインデックス番号。
+ インデックスを取得する 。
+
+
+ コレクションに を挿入します。
+ メンバーが挿入される 0 から始まるインデックス。
+ 挿入する 。
+
+
+ 指定したインデックスにある要素を取得または設定します。
+ 指定したインデックスにある要素。
+ 取得または設定する要素の、0 から始まるインデックス番号。
+
+ が の有効なインデックスではありません。
+ このプロパティが設定されていますが、 が読み取り専用です。
+
+
+ 指定されたオブジェクトをコレクションから削除します。
+ コレクションから削除する 。
+
+
+ 指定したインデックス位置にある 項目を削除します。
+ 削除する項目の 0 から始まるインデックス。
+
+ が の有効なインデックスではありません。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+ すべての を互換性のある 1 次元の にコピーします。コピー操作は、コピー先の配列の指定したインデックスから始まります。
+
+ から要素をコピーする、1 次元の です。 には、0 から始まるインデックス番号が必要です。
+
+
+
+ へのアクセスが同期されている (スレッド セーフである) かどうかを示す値を取得します。
+
+ へのアクセスが同期されている (スレッド セーフである) 場合は true。それ以外の場合は false。
+
+
+
+ へのアクセスを同期するために使用できるオブジェクトを取得します。
+
+ へのアクセスを同期するために使用できるオブジェクト。
+
+
+
+ の末尾にオブジェクトを追加します。
+
+ が追加された位置の インデックス。
+
+ の末尾に追加する 。値は null に設定できます。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+
+ に特定の値が格納されているかどうかを判断します。
+
+ が に存在する場合は true。それ以外の場合は false。
+
+ 内で検索するオブジェクト。
+
+
+
+ 内での指定した項目のインデックスを調べます。
+ リストに存在する場合は のインデックス。それ以外の場合は -1。
+
+ 内で検索するオブジェクト。
+
+
+
+ 内の指定したインデックスの位置に要素を挿入します。
+
+ を挿入する位置の、0 から始まるインデックス番号。
+ 挿入する 。値は null に設定できます。
+
+ が 0 未満です。または が より大きくなっています。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+
+ が固定サイズかどうかを示す値を取得します。
+
+ が固定サイズの場合は true。それ以外の場合は false。
+
+
+
+ が読み取り専用かどうかを示す値を取得します。
+
+ が読み取り専用である場合は true。それ以外の場合は false。
+
+
+ 指定したインデックスにある要素を取得または設定します。
+ 指定したインデックスにある要素。
+ 取得または設定する要素の、0 から始まるインデックス番号。
+
+ が の有効なインデックスではありません。
+ このプロパティが設定されていますが、 が読み取り専用です。
+
+
+
+ 内で最初に見つかった特定のオブジェクトを削除します。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+
+ が列挙体メンバーをシリアル化する方法を制御します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、 が生成する (列挙体をシリアル化する場合) または認識する (列挙体を逆シリアル化する場合) XML 値を指定します。
+ オーバーライドする側の列挙体メンバーの名前。
+
+
+
+ が列挙体をシリアル化する場合は XML ドキュメント インスタンスに生成された値を、列挙体メンバーを逆シリアル化する場合は認識した値を、取得または設定します。
+
+ が列挙体をシリアル化する場合は XML ドキュメント インスタンスに生成された値、列挙体メンバーを逆シリアル化する場合は認識した値。
+
+
+
+ の メソッドに対して、パブリック フィールドまたはパブリックな読み書き可能プロパティの値をシリアル化しないように指示します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ がオブジェクトをシリアル化または逆シリアル化するときに、型を認識できるようにします。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+ 含めるオブジェクトの 。
+
+
+ 含めるオブジェクトの型を取得または設定します。
+ 含めるオブジェクトの 。
+
+
+ 対象となるプロパティ、パラメーター、戻り値、またはクラス メンバーに、XML ドキュメント内で使用する、名前空間に関連付けられたプレフィックスを含めることを指定します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ 属性ターゲットを XML ルート要素として XML にシリアル化する方法を制御します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML ルート要素の名前を指定します。
+ XML ルート要素の名前。
+
+
+ XML ルート要素の XSD データ型を取得または設定します。
+ W3C (World Wide Web Consortium) (www.w3.org ) のドキュメント『XML Schema: DataTypes』で定義されている XSD (XML スキーマ ドキュメント) データ型。
+
+
+
+ クラスの メソッドおよび メソッドによって生成および認識される XML 要素名を取得または設定します。
+ XML ドキュメント インスタンスで生成および認識された XML ルート要素名。既定値は、シリアル化されたクラスの名前です。
+
+
+
+ で、null に設定されているメンバーを、true に設定されている xsi:nil 属性にシリアル化するかどうかを示す値を取得または設定します。
+
+ が xsi:nil 属性を生成する場合は true。それ以外の場合は false。
+
+
+ XML ルート要素の名前空間を取得または設定します。
+ XML 要素の名前空間。
+
+
+ オブジェクトから XML ドキュメントへのシリアル化および XML ドキュメントからオブジェクトへの逆シリアル化を行います。 により、オブジェクトを XML にエンコードする方法を制御できます。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ 指定した型のオブジェクトを XML ドキュメントにシリアル化したり、XML ドキュメントを指定した型のオブジェクトに逆シリアル化したりできる、 クラスの新しいインスタンスを初期化します。
+
+ がシリアル化できるオブジェクトの型。
+
+
+ 指定した型のオブジェクトを XML ドキュメントにシリアル化したり、XML ドキュメントを指定した型のオブジェクトに逆シリアル化したりできる、 クラスの新しいインスタンスを初期化します。すべての XML 要素の既定の名前空間を指定します。
+
+ がシリアル化できるオブジェクトの型。
+ すべての XML 要素で使用する既定の名前空間。
+
+
+ 指定した型のオブジェクトを XML ドキュメントにシリアル化したり、XML ドキュメントを指定した型のオブジェクトに逆シリアル化したりできる、 クラスの新しいインスタンスを初期化します。プロパティまたはフィールドが配列を返す場合、 パラメーターには、その配列に挿入できるオブジェクトを指定します。
+
+ がシリアル化できるオブジェクトの型。
+ シリアル化する追加のオブジェクト型の 配列。
+
+
+ 指定した型のオブジェクトを XML ドキュメントにシリアル化したり、XML ドキュメントを指定した型のオブジェクトに逆シリアル化したりできる、 クラスの新しいインスタンスを初期化します。シリアル化される各オブジェクトはそれ自体がクラスのインスタンスを含むことができ、それをこのオーバーロードによって他のクラスでオーバーライドします。
+ シリアル化するオブジェクトの型。
+
+ 。
+
+
+
+ 型のオブジェクトを XML ドキュメント インスタンスにシリアル化したり、XML ドキュメント インスタンスを 型のオブジェクトに逆シリアル化したりできる、 クラスの新しいインスタンスを初期化します。シリアル化される各オブジェクトはそれ自体がクラスのインスタンスを含むことができ、それをこのオーバーロードによって他のクラスでオーバーライドします。このオーバーロードでは、すべての XML 要素の既定の名前空間、および XML ルート要素として使用するクラスも指定します。
+
+ がシリアル化できるオブジェクトの型。
+
+ パラメーターで指定されたクラスの動作を拡張またはオーバーライドする 。
+ シリアル化する追加のオブジェクト型の 配列。
+ XML ルート要素プロパティを定義する 。
+ XML ドキュメント内のすべての XML 要素の既定の名前空間。
+
+
+ 指定した型のオブジェクトを XML ドキュメントにシリアル化したり、XML ドキュメントを指定した型のオブジェクトに逆シリアル化したりできる、 クラスの新しいインスタンスを初期化します。また、XML ルート要素として使用するクラスを指定します。
+
+ がシリアル化できるオブジェクトの型。
+ XML ルート要素を表す 。
+
+
+
+ が、指定された XML ドキュメントを逆シリアル化できるかどうかを示す値を取得します。
+
+ が指すオブジェクトを が逆シリアル化できる場合は true。それ以外の場合は false。
+ 逆シリアル化するドキュメントを指す 。
+
+
+ 指定した に格納されている XML ドキュメントを逆シリアル化します。
+ 逆シリアル化される 。
+ 逆シリアル化する XML ドキュメントを格納している 。
+
+
+ 指定した に格納されている XML ドキュメントを逆シリアル化します。
+ 逆シリアル化される 。
+ 逆シリアル化する XML ドキュメントを格納している 。
+ 逆シリアル化中にエラーが発生しました。元の例外には、 プロパティを使用してアクセスできます。
+
+
+ 指定した に格納されている XML ドキュメントを逆シリアル化します。
+ 逆シリアル化される 。
+ 逆シリアル化する XML ドキュメントを格納している 。
+ 逆シリアル化中にエラーが発生しました。元の例外には、 プロパティを使用してアクセスできます。
+
+
+ 型の配列から作成された、 オブジェクトの配列を返します。
+
+ オブジェクトの配列。
+
+ オブジェクトの配列。
+
+
+ 指定した をシリアル化し、生成された XML ドキュメントを、指定した を使用してファイルに書き込みます。
+ XML ドキュメントを書き込むために使用する 。
+ シリアル化する 。
+ シリアル化中にエラーが発生しました。元の例外には、 プロパティを使用してアクセスできます。
+
+
+ 指定した をシリアル化し、指定した を使用して、指定した名前空間を参照し、生成された XML ドキュメントをファイルに書き込みます。
+ XML ドキュメントを書き込むために使用する 。
+ シリアル化する 。
+ オブジェクトが参照する 。
+ シリアル化中にエラーが発生しました。元の例外には、 プロパティを使用してアクセスできます。
+
+
+ 指定した をシリアル化し、生成された XML ドキュメントを、指定した を使用してファイルに書き込みます。
+ XML ドキュメントを書き込むために使用する 。
+ シリアル化する 。
+
+
+ 指定した をシリアル化し、指定した を使用して XML ドキュメントをファイルに書き込み、指定した名前空間を参照します。
+ XML ドキュメントを書き込むために使用する 。
+ シリアル化する 。
+ 生成された XML ドキュメントで使用する名前空間を格納している 。
+ シリアル化中にエラーが発生しました。元の例外には、 プロパティを使用してアクセスできます。
+
+
+ 指定した をシリアル化し、生成された XML ドキュメントを、指定した を使用してファイルに書き込みます。
+ XML ドキュメントを書き込むために使用する 。
+ シリアル化する 。
+ シリアル化中にエラーが発生しました。元の例外には、 プロパティを使用してアクセスできます。
+
+
+ 指定した をシリアル化し、指定した を使用して XML ドキュメントをファイルに書き込み、指定した名前空間を参照します。
+ XML ドキュメントを書き込むために使用する 。
+ シリアル化する 。
+ オブジェクトが参照する 。
+ シリアル化中にエラーが発生しました。元の例外には、 プロパティを使用してアクセスできます。
+
+
+
+ が XML ドキュメント インスタンスで修飾名を生成するために使用する XML 名前空間とプレフィックスが格納されています。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ プレフィックスと名前空間のペアのコレクションを保持する XmlSerializerNamespaces のインスタンスを指定して、 クラスの新しいインスタンスを初期化します。
+ 名前空間とプレフィックスのペアを保持する のインスタンス。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+ オブジェクトの配列。
+
+
+
+ オブジェクトにプレフィックスと名前空間のペアを追加します。
+ XML 名前空間に関連付けられているプリフィックス。
+ XML 名前空間。
+
+
+ コレクション内のプレフィックスと名前空間のペアの数を取得します。
+ コレクション内のプレフィックスと名前空間のペアの数。
+
+
+
+ オブジェクト内のプレフィックスと名前空間のペアの配列を取得します。
+ XML ドキュメントで修飾名として使用される オブジェクトの配列。
+
+
+
+ が、クラスをシリアル化または逆シリアル化するときに、そのクラスに含まれる特定のメンバーを XML テキストとして処理する必要があることを指定します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+ シリアル化するメンバーの 。
+
+
+
+ によって生成されたテキストの XML スキーマ定義言語 (XSD: XML Schema Definition Language) データ型を取得または設定します。
+ W3C (World Wide Web Consortium) (www.w3.org ) のドキュメント『XML Schema Part 2: Datatypes』で定義されている XML スキーマ (XSD) データ型。
+ 指定した XML スキーマ データ型を .NET データ型に割り当てることはできません。
+ 指定した XML スキーマ データ型はプロパティとしては無効なので、そのメンバー型に変換できません。
+
+
+ メンバーの型を取得または設定します。
+ メンバーの 。
+
+
+ この属性が適用された対象が によってシリアル化されるときに生成される XML スキーマを制御します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML 型の名前を指定します。
+
+ がクラス インスタンスをシリアル化する場合に生成する (およびクラス インスタンスを逆シリアル化する場合に認識する) XML 型の名前。
+
+
+ 結果のスキーマ型が XSD 匿名型であるかどうかを判断する値を取得または設定します。
+ 結果のスキーマ型が XSD 匿名型である場合は true。それ以外の場合は false。
+
+
+ XML スキーマ ドキュメントに型を含めるかどうかを示す値を取得または設定します。
+ XML スキーマ ドキュメントに型を含める場合は true。それ以外の場合は false。
+
+
+ XML 型の名前空間を取得または設定します。
+ XML 型の名前空間。
+
+
+ XML 型の名前を取得または設定します。
+ XML 型の名前。
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/ko/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/ko/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..4398faa
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/ko/System.Xml.XmlSerializer.xml
@@ -0,0 +1,1062 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ 멤버( 개체의 배열을 반환하는 필드)가 XML 특성을 포함할 수 있도록 지정합니다.
+
+
+
+ 클래스의 새 인스턴스를 만듭니다.
+
+
+ 멤버( 또는 개체의 배열을 반환하는 필드)가 serialize 또는 deserialize되고 있는 개체에 해당 멤버가 없는 XML 요소를 나타내는 개체를 포함하도록 지정합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하며 XML 문서에 생성된 XML 요소의 이름을 지정합니다.
+
+ 가 생성하는 XML 요소의 이름입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하며 XML 문서와 이 문서의 XML 네임스페이스에 생성된 XML 요소의 이름을 지정합니다.
+
+ 가 생성하는 XML 요소의 이름입니다.
+ XML 요소의 XML 네임스페이스입니다.
+
+
+ XML 요소 이름을 가져오거나 설정합니다.
+ XML 요소의 이름입니다.
+ 배열 멤버의 요소 이름이 속성으로 지정한 요소 이름과 일치하지 않는 경우
+
+
+ XML 문서에 생성된 XML 네임스페이스를 가져오거나 설정합니다.
+ XML 네임스페이스입니다.
+
+
+ 요소가 serialize 또는 deserialize되는 명시적 순서를 가져오거나 설정합니다.
+ 코드가 생성되는 순서입니다.
+
+
+
+ 개체의 컬렉션을 나타냅니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 를 컬렉션에 추가합니다.
+ 새로 추가한 의 인덱스입니다.
+ 추가할 입니다.
+
+
+
+ 에서 개체를 모두 제거합니다.이 메서드는 재정의할 수 없습니다.
+
+
+ 지정된 가 컬렉션에 있는지 여부를 나타내는 값을 가져옵니다.
+
+ 가 컬렉션에 있으면 true이고, 그렇지 않으면 false입니다.
+ 원하는 입니다.
+
+
+ 대상 배열의 지정된 인덱스에서 시작하여 전체 컬렉션을 호환 가능한 개체의 1차원 배열에 복사합니다.
+ 컬렉션에서 복사된 요소의 대상인 개체의 일차원 배열입니다.배열에서 0부터 시작하는 인덱스를 사용해야 합니다.
+
+ 에서 복사가 시작되는 인덱스(0부터 시작)입니다.
+
+
+
+ 인스턴스에 포함된 요소의 수를 가져옵니다.
+
+ 인스턴스에 포함된 요소의 수입니다.
+
+
+
+ 을 반복하는 열거자를 반환합니다.
+
+ 를 반복하는 열거자입니다.
+
+
+ 지정된 의 인덱스를 가져옵니다.
+ 지정된 의 인덱스입니다.
+ 원하는 의 인덱스입니다.
+
+
+ 지정된 인덱스의 컬렉션에 를 삽입합니다.
+
+ 가 삽입되는 위치의 인덱스입니다.
+ 삽입할 입니다.
+
+
+ 지정된 인덱스에 있는 를 가져오거나 설정합니다.
+ 지정된 인덱스의 입니다.
+
+ 의 인덱스입니다.
+
+
+ 컬렉션에서 지정된 을 제거합니다.
+ 제거할 입니다.
+
+
+
+ 의 지정한 인덱스에서 요소를 제거합니다.이 메서드는 재정의할 수 없습니다.
+ 제거할 요소의 인덱스입니다.
+
+
+ 대상 배열의 지정된 인덱스에서 시작하여 전체 컬렉션을 호환 가능한 개체의 1차원 배열에 복사합니다.
+ 1차원 배열입니다.
+ 지정한 인덱스입니다.
+
+
+
+ 에 대한 액세스가 동기화되어 스레드로부터 안전하게 보호되는지 여부를 나타내는 값을 가져옵니다.
+
+ 에 대한 액세스가 동기화되면 True이고, 그렇지 않으면 false입니다.
+
+
+
+ 에 대한 액세스를 동기화하는 데 사용할 수 있는 개체를 가져옵니다.
+
+ 에 대한 액세스를 동기화하는 데 사용할 수 있는 개체입니다.
+
+
+ 개체를 의 끝 부분에 추가합니다.
+ 컬렉션에 추가된 개체입니다.
+ 컬렉션에 추가할 개체의 값입니다.
+
+
+
+ 에 특정 요소가 들어 있는지 여부를 확인합니다.
+
+ 에 특정 요소가 있으면 True이고, 그렇지 않으면 false입니다.
+ 요소의 값입니다.
+
+
+ 지정한 개체를 검색하고, 전체 에서 이 개체가 처음 나타나는 인덱스(0부터 시작)를 반환합니다.
+ 개체의 0부터 시작하는 인덱스입니다.
+ 개체의 값입니다.
+
+
+
+ 의 지정된 인덱스에 요소를 삽입합니다.
+ 요소가 삽입되는 인덱스입니다.
+ 요소의 값입니다.
+
+
+
+ 의 크기가 고정되어 있는지 여부를 나타내는 값을 가져옵니다.
+
+ 가 고정 크기이면 True이고, 그렇지 않으면 false입니다.
+
+
+
+ 이 읽기 전용인지 여부를 나타내는 값을 가져옵니다.
+
+ 이 읽기 전용이면 True이고, 그렇지 않으면 false입니다.
+
+
+ 지정된 인덱스에 있는 요소를 가져오거나 설정합니다.
+ 지정된 인덱스의 요소입니다.
+ 요소의 인덱스입니다.
+
+
+
+ 에서 맨 처음 발견되는 특정 개체를 제거합니다.
+ 제거된 개체의 값입니다.
+
+
+
+ 가 특정 클래스 멤버를 XML 요소의 배열로 serialize하도록 지정합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하며 XML 문서 인스턴스에서 생성된 XML 요소의 이름을 지정합니다.
+
+ 가 생성하는 XML 요소의 이름입니다.
+
+
+ serialize된 배열에 지정되어 있는 XML 요소의 이름을 가져오거나 설정합니다.
+ serialize된 배열의 XML 요소 이름으로,기본값은 가 할당된 멤버의 이름입니다.
+
+
+
+ 에서 생성한 XML 요소 이름이 정규화되었는지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 값 중 하나입니다.기본값은 XmlSchemaForm.None입니다.
+
+
+
+ 가 멤버를 xsi:nil 특성이 true로 설정된 빈 XML 태그로 serialize해야 하는지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 가 xsi:nil 특성을 생성하면 true이고, 그렇지 않으면 false입니다.
+
+
+ XML 요소의 네임스페이스를 가져오거나 설정합니다.
+ XML 요소의 네임스페이스입니다.
+
+
+ 요소가 serialize 또는 deserialize되는 명시적 순서를 가져오거나 설정합니다.
+ 코드가 생성되는 순서입니다.
+
+
+
+ 가 serialize된 배열에 배치할 수 있는 파생 형식을 지정하는 특성을 나타냅니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 XML 문서에 생성된 XML 요소의 이름을 지정합니다.
+ XML 요소의 이름입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 XML 문서에 생성된 XML 요소의 이름 및 생성된 XML 문서에 삽입할 수 있는 을 지정합니다.
+ XML 요소의 이름입니다.
+ serialize할 개체의 입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 serialize된 배열에 삽입할 수 있는 을 지정합니다.
+ serialize할 개체의 입니다.
+
+
+ 생성된 XML 요소의 XML 데이터 형식을 가져오거나 설정합니다.
+ World Wide Web 컨소시엄(www.w3.org) 문서의 "XML Schema Part 2: Datatypes"에 정의된 XSD(XML 스키마 정의) 데이터 형식입니다.
+
+
+ 생성된 XML 요소의 이름을 가져오거나 설정합니다.
+ 생성된 XML 요소의 이름입니다.기본값은 멤버 식별자입니다.
+
+
+ 생성된 XML 요소의 이름이 정규화된 이름인지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 값 중 하나입니다.기본값은 XmlSchemaForm.None입니다.
+
+ 속성이 XmlSchemaForm.Unqualified로 설정되어 있으며 값이 지정되어 있는 경우
+
+
+
+ 가 멤버를 xsi:nil 특성이 true로 설정된 빈 XML 태그로 serialize해야 하는지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 가 xsi:nil 특성을 생성하면 true이고, 그렇지 않으면 false이고 인스턴스가 생성되지 않습니다.기본값은 true입니다.
+
+
+ 생성된 XML 요소의 네임스페이스를 가져오거나 설정합니다.
+ 생성된 XML 요소의 네임스페이스입니다.
+
+
+ XML 요소 계층 구조에서 가 영향을 주는 수준을 가져오거나 설정합니다.
+ 배열의 배열에 있는 인덱스 집합의 인덱스(0부터 시작)입니다.
+
+
+ 배열에 사용할 수 있는 형식을 가져오거나 설정합니다.
+ 배열에 사용할 수 있는 입니다.
+
+
+
+ 개체의 컬렉션을 나타냅니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 를 컬렉션에 추가합니다.
+ 추가된 항목의 인덱스입니다.
+ 컬렉션에 추가할 입니다.
+
+
+
+ 에서 요소를 모두 제거합니다.
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+ 컬렉션에 지정한 가 들어 있는지 여부를 확인합니다.
+ 컬렉션에 지정한 가 있으면 true이고, 그렇지 않으면 false입니다.
+ 확인할 입니다.
+
+
+ 지정한 대상 인덱스에서 시작하여 배열을 컬렉션에 복사합니다.
+ 컬렉션에 복사할 개체의 배열입니다.
+ 복사된 특성이 시작되는 인덱스입니다.
+
+
+
+ 에 포함된 요소 수를 가져옵니다.
+
+ 에 포함된 요소 수입니다.
+
+
+ 전체 에 대한 열거자를 반환합니다.
+ 전체 의 입니다.
+
+
+ 컬렉션에서 지정한 가 처음 나타나는 인덱스(0부터 시작)를 반환하고, 컬렉션에 특성이 없으면 -1을 반환합니다.
+ 컬렉션에서 의 첫 번째 인덱스이고, 컬렉션에 특성이 없으면 -1입니다.
+ 컬렉션에서 찾을 입니다.
+
+
+ 지정된 인덱스의 컬렉션에 를 삽입합니다.
+ 특성이 삽입되는 인덱스입니다.
+ 삽입할 입니다.
+
+
+ 지정한 인덱스에 있는 항목을 가져오거나 설정합니다.
+ 지정된 인덱스에 있는 입니다.
+ 가져오거나 설정할 컬렉션 멤버의 인덱스(0부터 시작)입니다.
+
+
+
+ 가 컬렉션에 있는 경우 컬렉션에서 이를 제거합니다.
+ 제거할 입니다.
+
+
+ 지정한 인덱스에서 항목을 제거합니다.
+ 제거할 항목의 인덱스(0부터 시작)입니다.
+
+ 가 의 유효한 인덱스가 아닌 경우
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+ 대상 배열의 지정된 인덱스에서 시작하여 전체 을 호환되는 1차원 에 복사합니다.
+
+ 에서 복사한 요소의 대상인 일차원 입니다.에는 0부터 시작하는 인덱스가 있어야 합니다.
+
+
+
+ 에 대한 액세스가 동기화되어 스레드로부터 안전하게 보호되는지 여부를 나타내는 값을 가져옵니다.
+
+ 에 대한 액세스가 동기화되어 스레드로부터 안전하게 보호되면 true이고, 그렇지 않으면 false입니다.
+
+
+
+ 개체를 의 끝 부분에 추가합니다.
+
+ 가 추가된 인덱스입니다.
+
+ 의 끝에 추가할 입니다.값은 null이 될 수 있습니다.
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+ 컬렉션에 지정한 이 들어 있는지 여부를 확인합니다.
+ 컬렉션에 지정한 가 있으면 true이고, 그렇지 않으면 false입니다.
+
+
+ 컬렉션에서 지정한 가 처음 나타나는 인덱스(0부터 시작)를 반환하고, 컬렉션에 특성이 없으면 1을 반환합니다.
+ 컬렉션에서 의 첫 번째 인덱스이고, 컬렉션에 특성이 없으면 -1입니다.
+
+
+
+ 의 지정된 인덱스에 요소를 삽입합니다.
+
+ 를 삽입해야 하는 인덱스(0부터 시작)입니다.
+ 삽입할 입니다.값은 null이 될 수 있습니다.
+
+ 가 0보다 작은 경우또는 가 보다 큰 경우
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+
+ 의 크기가 고정되어 있는지 여부를 나타내는 값을 가져옵니다.
+
+ 의 크기가 고정되어 있으면 true이고, 그렇지 않으면 false입니다.
+
+
+
+ 이 읽기 전용인지 여부를 나타내는 값을 가져옵니다.
+
+ 이 읽기 전용이면 true이고, 그렇지 않으면 false입니다.
+
+
+ 지정한 인덱스에 있는 항목을 가져오거나 설정합니다.
+ 지정된 인덱스에 있는 입니다.
+ 가져오거나 설정할 컬렉션 멤버의 인덱스(0부터 시작)입니다.
+
+
+
+ 에서 맨 처음 발견되는 특정 개체를 제거합니다.
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+
+ 가 해당 클래스 멤버를 XML 특성으로 serialize하도록 지정합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 생성된 XML 특성의 이름을 지정합니다.
+
+ 가 생성하는 XML 특성의 이름입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+ 생성되는 XML 특성의 이름입니다.
+ 특성을 저장하는 데 사용되는 입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+ 특성을 저장하는 데 사용되는 입니다.
+
+
+ XML 특성의 이름을 가져오거나 설정합니다.
+ XML 특성의 이름입니다.기본값은 멤버 이름입니다.
+
+
+
+ 에 의해 생성된 XML 특성의 XSD 데이터 형식을 가져오거나 설정합니다.
+ World Wide Web 컨소시엄(www.w3.org) 문서의 "XML Schema Part 2: Datatypes"에 정의된 XSD(XML 스키마 문서) 데이터 형식입니다.
+
+
+
+ 를 통해 생성된 XML 특성의 이름이 정규화된 이름인지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 값 중 하나입니다.기본값은 XmlForm.None입니다.
+
+
+ XML 특성의 XML 네임스페이스를 가져오거나 설정합니다.
+ XML 특성의 XML 네임스페이스입니다.
+
+
+ XML 특성의 복합 형식을 가져오거나 설정합니다.
+ XML 특성의 형식입니다.
+
+
+
+ 를 사용하여 개체를 serialize하거나 deserialize하면 속성, 필드 및 클래스 특성을 재정의할 수 있습니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 개체를 개체 컬렉션에 추가합니다. 매개 변수는 재정의할 개체를 지정합니다. 매개 변수는 재정의되는 멤버의 이름을 지정합니다.
+ 재정의할 개체의 입니다.
+ 재정의할 멤버의 이름입니다.
+ 재정의 특성을 나타내는 개체입니다.
+
+
+
+ 개체를 개체 컬렉션에 추가합니다. 매개 변수는 개체로 재정의할 개체를 지정합니다.
+ 재정의되는 개체의 입니다.
+ 재정의 특성을 나타내는 개체입니다.
+
+
+ 지정한 기본 클래스 형식과 관련된 개체를 가져옵니다.
+ 재정의 특성의 컬렉션을 나타내는 입니다.
+ 검색할 특성의 컬렉션과 관련된 기본 클래스 입니다.
+
+
+ 지정한 (기본 클래스) 형식과 관련된 개체를 가져옵니다.해당 멤버 매개 변수는 재정의되는 기본 클래스 멤버를 지정합니다.
+ 재정의 특성의 컬렉션을 나타내는 입니다.
+ 원하는 특성의 컬렉션과 관련된 기본 클래스 입니다.
+ 반환할 를 지정하는 재정의된 멤버의 이름입니다.
+
+
+
+ 가 개체를 serialize 및 deserialize하는 방식을 제어하는 특성 개체의 컬렉션을 나타냅니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 재정의할 를 가져오거나 설정합니다.
+ 재정의할 입니다.
+
+
+ 재정의할 개체의 컬렉션을 가져옵니다.
+
+ 개체의 컬렉션을 나타내는 개체입니다.
+
+
+
+ 가 배열을 반환하는 공용 필드 또는 읽기/쓰기 속성을 serialize하는 방식을 지정하는 개체를 가져오거나 설정합니다.
+
+ 가 배열을 반환하는 공용 필드 또는 읽기/쓰기 속성을 serialize하는 방식을 지정하는 입니다.
+
+
+
+ 가 공용 필드 또는 읽기/쓰기 속성에 의해 반환된 배열 내에 삽입된 항목을 serialize하는 방식을 지정하는 개체 컬렉션을 가져오거나 설정합니다.
+
+ 개체의 컬렉션을 포함하는 개체입니다.
+
+
+
+ 가 공용 필드 또는 공용 읽기/쓰기 속성을 XML 특성으로 serialize하는 방식을 지정하는 개체를 가져오거나 설정합니다.
+ 공용 필드 또는 읽기/쓰기 속성을 XML 특성으로 serialize하는 것을 제어하는 입니다.
+
+
+ 일련의 선택을 명확하게 구별하는 개체를 가져오거나 설정합니다.
+ xsi:choice 요소로 serialize되는 클래스 멤버에 적용할 수 있는 입니다.
+
+
+ XML 요소 또는 특성의 기본값을 가져오거나 설정합니다.
+ XML 요소 또는 특성의 기본값을 나타내는 입니다.
+
+
+
+ 가 공용 필드 또는 읽기/쓰기 속성을 XML 요소로 serialize하는 방식을 지정하는 개체의 컬렉션을 가져옵니다.
+
+ 개체의 컬렉션을 포함하는 입니다.
+
+
+
+ 가 열거형 멤버를 serialize하는 방식을 지정하는 개체를 가져오거나 설정합니다.
+
+ 가 열거형 멤버를 serialize하는 방식을 지정하는 입니다.
+
+
+
+ 가 공용 필드 또는 읽기/쓰기 속성을 serialize하는지 여부를 지정하는 값을 가져오거나 설정합니다.
+
+ 가 필드 또는 속성을 serialize하지 않으면 true이고, 그렇지 않으면 false입니다.
+
+
+
+ 개체를 반환하는 멤버가 들어 있는 개체가 재정의될 때 모든 네임스페이스 선언을 유지할지 여부를 지정하는 값을 가져오거나 설정합니다.
+ 네임스페이스 선언을 유지해야 한다면 true이고, 그렇지 않으면 false입니다.
+
+
+
+ 가 클래스를 XML 루트 요소로 serialize하는 방식을 지정하는 개체를 가져오거나 설정합니다.
+ XML 루트 요소로 지정된 클래스를 재정의하는 입니다.
+
+
+
+ 가 공용 필드 또는 공용 읽기/쓰기 속성을 XML 텍스트로 serialize하도록 하는 개체를 가져오거나 설정합니다.
+ 공용 속성 또는 필드의 기본 serialization을 재정의하는 입니다.
+
+
+
+ 가 적용된 클래스를 가 serialize하는 방식을 지정하는 개체를 가져오거나 설정합니다.
+ 클래스 선언에 적용된 를 재정의하는 입니다.
+
+
+ 열거형을 사용하여 멤버를 추가로 검색할 수 있음을 지정합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+ 선택을 검색하는 데 사용하는 열거형을 반환하는 멤버 이름입니다.
+
+
+ 형식을 검색하는 경우 사용할 열거형을 반환하는 필드의 이름을 가져오거나 설정합니다.
+ 열거형을 반환하는 필드의 이름입니다.
+
+
+ 공용 필드 또는 속성을 포함하는 개체를 가 serialize하거나 deserialize할 때 해당 필드나 속성이 XML 요소를 나타냄을 의미합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 XML 요소의 이름을 지정합니다.
+ serialize된 멤버의 XML 요소 이름입니다.
+
+
+
+ 의 새 인스턴스를 초기화하고 XML 요소의 이름을 지정하며 가 적용되는 멤버의 파생 형식도 지정합니다.이 멤버 형식은 가 이를 포함하는 개체를 serialize할 때 사용됩니다.
+ serialize된 멤버의 XML 요소 이름입니다.
+ 멤버의 형식에서 파생된 개체의 입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 가 적용되는 멤버에 대한 형식을 지정합니다.이 형식은 가 이를 포함하는 개체를 serialize하거나 deserialize할 때 사용됩니다.
+ 멤버의 형식에서 파생된 개체의 입니다.
+
+
+
+ 에 의해 생성된 XML 요소의 XSD(XML 스키마 정의) 데이터 형식을 가져오거나 설정합니다.
+ XML 스키마 데이터 형식에 대한 자세한 내용은 World Wide Web 컨소시엄(www.w3.org) 문서 "XML Schema Part 2: Datatypes"를 참조하십시오.
+ 지정한 XML 스키마 데이터 형식을 .NET 데이터 형식에 매핑할 수 없는 경우
+
+
+ 생성된 XML 요소의 이름을 가져오거나 설정합니다.
+ 생성된 XML 요소의 이름입니다.기본값은 멤버 식별자입니다.
+
+
+ 요소가 한정되었는지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 값 중 하나입니다.기본값은 입니다.
+
+
+
+ 가 null로 설정된 멤버를 xsi:nil 특성이 true로 설정된 빈 태그로 serialize해야 하는지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 가 xsi:nil 특성을 생성하면 true이고, 그렇지 않으면 false입니다.
+
+
+ 클래스가 serialize될 때 결과로 만들어지는 XML 요소에 할당된 네임스페이스를 가져오거나 설정합니다.
+ XML 요소의 네임스페이스입니다.
+
+
+ 요소가 serialize 또는 deserialize되는 명시적 순서를 가져오거나 설정합니다.
+ 코드가 생성되는 순서입니다.
+
+
+ XML 요소를 나타내는 데 사용되는 개체 형식을 가져오거나 설정합니다.
+ 멤버의 입니다.
+
+
+
+ 가 클래스를 serialize하는 기본 방식을 재정의하는 데 사용하는 개체의 컬렉션을 나타냅니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 를 컬렉션에 추가합니다.
+ 새로 추가한 항목의 인덱스(0부터 시작)입니다.
+ 추가할 입니다.
+
+
+
+ 에서 요소를 모두 제거합니다.
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+ 컬렉션에 지정된 개체가 들어 있는지 여부를 확인합니다.
+ 개체가 컬렉션에 있으면 true이고, 그렇지 않으면 false입니다.
+ 찾아볼 입니다.
+
+
+
+ 또는 그 일부를 1차원 배열에 복사합니다.
+ 복사된 요소를 보유하는 배열입니다.
+
+ 에서 복사가 시작되는 인덱스(0부터 시작)입니다.
+
+
+
+ 에 포함된 요소 수를 가져옵니다.
+
+ 에 포함된 요소 수입니다.
+
+
+ 전체 에 대한 열거자를 반환합니다.
+ 전체 의 입니다.
+
+
+ 지정된 의 인덱스를 가져옵니다.
+
+ 의 인덱스이며 0에서 시작합니다.
+ 인덱스가 검색되는 입니다.
+
+
+
+ 를 컬렉션에 삽입합니다.
+ 멤버가 삽입된 0부터 시작하는 인덱스입니다.
+ 삽입할 입니다.
+
+
+ 지정된 인덱스에 있는 요소를 가져오거나 설정합니다.
+ 지정된 인덱스의 요소입니다.
+ 가져오거나 설정할 요소의 인덱스(0부터 시작)입니다.
+
+ 가 의 유효한 인덱스가 아닌 경우
+ 속성이 설정되어 있으며 가 읽기 전용인 경우
+
+
+ 컬렉션에서 지정된 개체를 제거합니다.
+ 컬렉션에서 제거할 입니다.
+
+
+ 지정한 인덱스에서 항목을 제거합니다.
+ 제거할 항목의 인덱스(0부터 시작)입니다.
+
+ 가 의 유효한 인덱스가 아닌 경우
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+ 대상 배열의 지정된 인덱스에서 시작하여 전체 을 호환되는 1차원 에 복사합니다.
+
+ 에서 복사한 요소의 대상인 일차원 입니다.에는 0부터 시작하는 인덱스가 있어야 합니다.
+
+
+
+ 에 대한 액세스가 동기화되어 스레드로부터 안전하게 보호되는지 여부를 나타내는 값을 가져옵니다.
+
+ 에 대한 액세스가 동기화되어 스레드로부터 안전하게 보호되면 true이고, 그렇지 않으면 false입니다.
+
+
+
+ 에 대한 액세스를 동기화하는 데 사용할 수 있는 개체를 가져옵니다.
+
+ 에 대한 액세스를 동기화하는 데 사용할 수 있는 개체입니다.
+
+
+ 개체를 의 끝 부분에 추가합니다.
+
+ 가 추가된 인덱스입니다.
+
+ 의 끝에 추가할 입니다.값은 null이 될 수 있습니다.
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+
+ 에 특정 값이 들어 있는지 여부를 확인합니다.
+
+ 가 에 있으면 true이고, 그렇지 않으면 false입니다.
+
+ 에서 찾을 개체입니다.
+
+
+
+ 에서 특정 항목의 인덱스를 확인합니다.
+ 목록에 있으면 의 인덱스이고, 그렇지 않으면 -1입니다.
+
+ 에서 찾을 개체입니다.
+
+
+
+ 의 지정된 인덱스에 요소를 삽입합니다.
+
+ 를 삽입해야 하는 인덱스(0부터 시작)입니다.
+ 삽입할 입니다.값은 null이 될 수 있습니다.
+
+ 가 0보다 작은 경우또는 가 보다 큰 경우
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+
+ 의 크기가 고정되어 있는지 여부를 나타내는 값을 가져옵니다.
+
+ 의 크기가 고정되어 있으면 true이고, 그렇지 않으면 false입니다.
+
+
+
+ 이 읽기 전용인지 여부를 나타내는 값을 가져옵니다.
+
+ 이 읽기 전용이면 true이고, 그렇지 않으면 false입니다.
+
+
+ 지정된 인덱스에 있는 요소를 가져오거나 설정합니다.
+ 지정된 인덱스의 요소입니다.
+ 가져오거나 설정할 요소의 인덱스(0부터 시작)입니다.
+
+ 가 의 유효한 인덱스가 아닌 경우
+ 속성이 설정되어 있으며 가 읽기 전용인 경우
+
+
+
+ 에서 맨 처음 발견되는 특정 개체를 제거합니다.
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+
+ 가 열거형 멤버를 serialize하는 방식을 제어합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 가 열거형을 serialize하거나 deserialize할 때 생성하거나 인식하는 XML 값을 지정합니다.
+ 열거형 멤버의 재정의 이름입니다.
+
+
+
+ 가 열거형을 serialize할 때 XML 문서 인스턴스에서 생성된 값 또는 열거형 멤버를 deserialize할 때 인식된 값을 가져오거나 설정합니다.
+
+ 가 열거형을 serialize할 때 XML 문서 인스턴스에서 생성된 값, 또는 열거형 멤버를 deserialize할 때 인식된 값입니다.
+
+
+
+ 의 메서드를 호출하여 공용 필드 또는 공용 읽기/쓰기 속성 값을 serialize하지 않도록 합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 가 개체를 serialize하거나 deserialize할 때 형식을 인식할 수 있게 합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+ 포함할 개체의 입니다.
+
+
+ 포함할 개체의 형식을 가져오거나 설정합니다.
+ 포함할 개체의 입니다.
+
+
+ 대상 속성, 매개 변수, 반환 값 또는 클래스 멤버가 XML 문서 내에서 사용되는 네임스페이스와 연관된 접두사를 포함하도록 지정합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 특성 대상의 XML serialization을 XML 루트 요소로 제어합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 XML 루트 요소의 이름을 지정합니다.
+ XML 루트 요소의 이름입니다.
+
+
+ XML 루트 요소의 XSD 데이터 형식을 가져오거나 설정합니다.
+ World Wide Web 컨소시엄(www.w3.org) 문서의 "XML Schema Part 2: Datatypes"에 정의된 XSD(XML 스키마 문서) 데이터 형식입니다.
+
+
+
+ 클래스의 및 메서드에 의해 각각 생성되고 인식되는 XML 요소의 이름을 가져오거나 설정합니다.
+ XML 문서 인스턴스에서 생성되고 인식되는 XML 루트 요소의 이름입니다.기본값은 serialize된 클래스의 이름입니다.
+
+
+
+ 가 null로 설정된 멤버를 true로 설정된 xsi:nil 특성으로 serialize해야 하는지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 가 xsi:nil 특성을 생성하면 true이고, 그렇지 않으면 false입니다.
+
+
+ XML 루트 요소의 네임스페이스를 가져오거나 설정합니다.
+ XML 요소의 네임스페이스입니다.
+
+
+ XML 문서로 개체를 serialize하고 XML 문서에서 개체를 deserialize합니다.를 사용하면 개체가 XML로 인코딩되는 방식을 제어할 수 있습니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 지정된 형식의 개체를 XML 문서로 serialize하고 XML 문서를 지정된 형식의 개체로 deserialize할 수 있는 클래스의 새 인스턴스를 초기화합니다.
+ 이 가 serialize할 수 있는 개체의 형식입니다.
+
+
+ 지정된 형식의 개체를 XML 문서로 serialize하고 XML 문서를 지정된 형식의 개체로 deserialize할 수 있는 클래스의 새 인스턴스를 초기화합니다.모든 XML 요소의 기본 네임스페이스를 지정합니다.
+ 이 가 serialize할 수 있는 개체의 형식입니다.
+ 모든 XML 요소에 사용할 기본 네임스페이스입니다.
+
+
+ 지정된 형식의 개체를 XML 문서로 serialize하고 XML 문서를 지정된 형식의 개체로 deserialize할 수 있는 클래스의 새 인스턴스를 초기화합니다.필드 또는 속성이 배열을 반환하는 경우 매개 변수는 배열에 삽입될 수 있는 개체를 지정합니다.
+ 이 가 serialize할 수 있는 개체의 형식입니다.
+ serialize할 추가 개체 형식으로 이루어진 배열입니다.
+
+
+ 지정된 형식의 개체를 XML 문서로 serialize하고 XML 문서를 지정된 형식의 개체로 deserialize할 수 있는 클래스의 새 인스턴스를 초기화합니다.serialize되는 각 개체는 클래스의 인스턴스를 포함할 수 있으며, 이 오버로드는 다른 클래스로 재정의할 수 있습니다.
+ serialize할 개체의 형식입니다.
+
+ 입니다.
+
+
+
+ 형식의 개체를 XML 문서 인스턴스로 serialize하고 XML 문서 인스턴스를 형식의 개체로 deserialize할 수 있는 클래스의 새 인스턴스를 초기화합니다.serialize되는 각 개체는 클래스의 인스턴스를 포함할 수 있으며, 이 오버로드에서 그 클래스를 다른 클래스로 재정의합니다.또한 이 오버로드는 모든 XML 요소의 기본 네임스페이스 및 XML 루트 요소로 사용할 클래스를 지정합니다.
+ 이 가 serialize할 수 있는 개체의 형식입니다.
+
+ 매개 변수에 지정된 클래스의 동작을 확장하거나 재정의하는 입니다.
+ serialize할 추가 개체 형식으로 이루어진 배열입니다.
+ XML 요소 속성을 정의하는 입니다.
+ XML 문서에 있는 모든 XML 요소의 기본 네임스페이스입니다.
+
+
+ 지정된 형식의 개체를 XML 문서로 serialize하고 XML 문서를 지정된 형식의 개체로 deserialize할 수 있는 클래스의 새 인스턴스를 초기화합니다.또한 XML 루트 요소로 사용할 클래스를 지정합니다.
+ 이 가 serialize할 수 있는 개체의 형식입니다.
+ XML 루트 요소를 나타내는 입니다.
+
+
+ 이 가 지정된 XML 문서를 deserialize할 수 있는지 여부를 나타내는 값을 가져옵니다.
+
+ 가 가리키는 개체를 이 가 deserialize할 수 있으면 true이고, 그렇지 않으면 false입니다.
+ deserialize할 문서를 가리키는 입니다.
+
+
+ 지정된 에 포함된 XML 문서를 deserialize합니다.
+ deserialize되는 입니다.
+ deserialize할 XML 문서를 포함하는 입니다.
+
+
+ 지정된 에 포함된 XML 문서를 deserialize합니다.
+ deserialize되는 입니다.
+ deserialize할 XML 문서를 포함하는 입니다.
+ deserialization 중 오류가 발생했습니다. 속성을 사용하여 원래 예외를 사용할 수 있습니다.
+
+
+ 지정된 에 포함된 XML 문서를 deserialize합니다.
+ deserialize되는 입니다.
+ deserialize할 XML 문서를 포함하는 입니다.
+ deserialization 중 오류가 발생했습니다. 속성을 사용하여 원래 예외를 사용할 수 있습니다.
+
+
+ 형식 배열에서 만든 개체의 배열을 반환합니다.
+
+ 개체의 배열입니다.
+
+ 개체로 이루어진 배열입니다.
+
+
+ 지정된 를 serialize하고 지정된 을 사용하여 XML 문서를 파일에 씁니다.
+ XML 문서를 쓰는 데 사용되는 입니다.
+ serialize할 입니다.
+ serialization 중 오류가 발생했습니다. 속성을 사용하여 원래 예외를 사용할 수 있습니다.
+
+
+ 지정된 를 serialize하고 지정된 네임스페이스를 참조하는 지정된 을 사용하여 XML 문서를 파일에 씁니다.
+ XML 문서를 쓰는 데 사용되는 입니다.
+ serialize할 입니다.
+ 개체에서 참조하는 입니다.
+ serialization 중 오류가 발생했습니다. 속성을 사용하여 원래 예외를 사용할 수 있습니다.
+
+
+ 지정된 를 serialize하고 지정된 를 사용하여 XML 문서를 파일에 씁니다.
+ XML 문서를 쓰는 데 사용되는 입니다.
+ serialize할 입니다.
+
+
+ 지정된 를 serialize하고 지정된 를 사용하여 XML 문서를 파일에 쓰며 지정된 네임스페이스를 참조합니다.
+ XML 문서를 쓰는 데 사용되는 입니다.
+ serialize할 입니다.
+ 생성된 XML 문서의 네임스페이스를 포함하는 입니다.
+ serialization 중 오류가 발생했습니다. 속성을 사용하여 원래 예외를 사용할 수 있습니다.
+
+
+ 지정된 를 serialize하고 지정된 를 사용하여 XML 문서를 파일에 씁니다.
+ XML 문서를 쓰는 데 사용되는 입니다.
+ serialize할 입니다.
+ serialization 중 오류가 발생했습니다. 속성을 사용하여 원래 예외를 사용할 수 있습니다.
+
+
+ 지정된 를 serialize하고 지정된 를 사용하여 XML 문서를 파일에 쓰며 지정된 네임스페이스를 참조합니다.
+ XML 문서를 쓰는 데 사용되는 입니다.
+ serialize할 입니다.
+ 개체에서 참조하는 입니다.
+ serialization 중 오류가 발생했습니다. 속성을 사용하여 원래 예외를 사용할 수 있습니다.
+
+
+
+ 가 XML 문서 인스턴스에서 정규화된 이름을 생성하는 데 사용하는 XML 네임스페이스 및 접두사를 포함합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 접두사와 네임스페이스 쌍의 컬렉션을 포함하는 XmlSerializerNamespaces의 지정된 인스턴스를 사용하여 클래스의 새 인스턴스를 초기화합니다.
+ 네임스페이스와 접두사 쌍을 포함하는 의 인스턴스입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+ 개체로 이루어진 배열입니다.
+
+
+
+ 개체에 접두사와 네임스페이스 쌍을 추가합니다.
+ XML 네임스페이스와 관련된 접두사입니다.
+ XML 네임스페이스입니다.
+
+
+ 컬렉션에 있는 접두사와 네임스페이스 쌍의 개수를 가져옵니다.
+ 컬렉션에 있는 접두사와 네임스페이스 쌍의 개수입니다.
+
+
+
+ 개체에 있는 접두사와 네임스페이스 쌍으로 이루어진 배열을 가져옵니다.
+ XML 문서에서 정규화된 이름으로 사용되는 개체로 이루어진 배열입니다.
+
+
+ 멤버가 포함된 클래스가 serialize되거나 deserialize될 때 멤버를 XML 텍스트로 처리하도록 에 지정합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+ serialize할 개체의 입니다.
+
+
+
+ 에 의해 생성된 텍스트의 XSD(XML 스키마 정의) 데이터 형식을 가져오거나 설정합니다.
+ World Wide Web 컨소시엄(www.w3.org) 문서의 "XML Schema Part 2: Datatypes"에 정의된 XSD(XML 스키마 정의) 데이터 형식입니다.
+ 지정한 XML 스키마 데이터 형식을 .NET 데이터 형식에 매핑할 수 없는 경우
+ 지정한 XML 스키마 데이터 형식은 속성에 맞지 않으므로 멤버 형식으로 변환할 수 없는 경우
+
+
+ 멤버의 형식을 가져오거나 설정합니다.
+ 멤버의 입니다.
+
+
+
+ 가 특성 대상을 serialize할 때 생성되는 XML 스키마를 제어합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 XML 형식의 이름을 지정합니다.
+
+ 가 클래스 인스턴스를 serialize할 때 생성하고 클래스 인스턴스를 deserialize할 때 인식하는 XML 형식의 이름입니다.
+
+
+ 결과 스키마 형식이 XSD 익명 형식인지 여부를 결정하는 값을 가져오거나 설정합니다.
+ 결과 스키마 형식이 XSD 익명 형식이면 true이고, 그렇지 않으면 false입니다.
+
+
+ XML 스키마 문서에 형식을 포함할지 여부를 나타내는 값을 가져오거나 설정합니다.
+ XML 스키마 문서에 형식을 포함하려면 true이고, 그렇지 않으면 false입니다.
+
+
+ XML 형식의 네임스페이스를 가져오거나 설정합니다.
+ XML 형식의 네임스페이스입니다.
+
+
+ XML 형식의 이름을 가져오거나 설정합니다.
+ XML 형식의 이름입니다.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/ru/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/ru/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..2cf2723
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/ru/System.Xml.XmlSerializer.xml
@@ -0,0 +1,924 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ Указывает, что член (поле, возвращающее массив объектов ) может содержать любые атрибуты XML.
+
+
+ Конструирует новый экземпляр класса .
+
+
+ Указывает, что член (поле, возвращающее массив объектов или ) содержит объекты, представляющие любые элементы XML, не имеющие соответствующего члена в сериализуемом или десериализуемом объекте.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса и указывает имя элемента XML, сгенерированного в документе XML.
+ Имя XML-элемента, созданного при помощи .
+
+
+ Инициализация нового экземпляра класса и указывает имя элемента XML, сгенерированного в документе XML, и его пространство имен XML.
+ Имя XML-элемента, созданного при помощи .
+ Пространство имен XML элемента XML.
+
+
+ Возвращает или задает имя элемента XML.
+ Имя элемента XML.
+ Имя элемента члена массива не соответствует имени элемента, указанному свойством .
+
+
+ Возвращает или задает пространство имен XML, сгенерированное в документе XML.
+ Пространство имен XML.
+
+
+ Получает или задает порядок сериализации или десериализации элементов.
+ Порядок генерирования кода.
+
+
+ Представляет коллекцию объектов .
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Добавляет в коллекцию объект .
+ Индекс только что добавленного объекта .
+ Добавляемый объект .
+
+
+ Удаляет все объекты из .Этот метод не может быть переопределен.
+
+
+ Получает значение, которое указывает, содержится ли заданный объект в коллекции.
+ Значение true, если объект содержится в коллекции; в противном случае — значение false.
+ Нужный объект .
+
+
+ Копирует коллекцию целиком в совместимый одномерный массив объектов , начиная с заданного индекса целевого массива.
+ Одномерный массив объектов , который является конечным объектом копирования элементов коллекции.Индексация в массиве должна вестись с нуля.
+ Индекс (с нуля) в массиве , с которого начинается копирование.
+
+
+ Получает число элементов, содержащихся в экземпляре класса .
+ Число элементов, содержащихся в экземпляре класса .
+
+
+ Возвращает перечислитель, осуществляющий перебор элементов списка .
+ Перечислитель, выполняющий итерацию в наборе .
+
+
+ Получает индекс заданного ограничения .
+ Индекс указанного объекта .
+ Объект с нужным индексом.
+
+
+ Вставляет объект в коллекцию по заданному индексу.
+ Индекс вставки элемента .
+ Вставляемый объект .
+
+
+ Получает или задает объект с указанным индексом.
+ Объект по указанному индексу.
+ Индекс объекта .
+
+
+ Удаляет указанную панель объект из коллекции.
+ Объект для удаления.
+
+
+ Удаляет элемент списка с указанным индексом.Этот метод не может быть переопределен.
+ Индекс элемента, который должен быть удален.
+
+
+ Копирует коллекцию целиком в совместимый одномерный массив объектов , начиная с заданного индекса целевого массива.
+ Одномерный массив.
+ Заданный индекс.
+
+
+ Получает значение, показывающее, является ли доступ к коллекции синхронизированным (потокобезопасным).
+ True, если доступ к коллекции является синхронизированным; в противном случае — значение false.
+
+
+ Получает объект, с помощью которого можно синхронизировать доступ к коллекции .
+ Объект, который может использоваться для синхронизации доступа к коллекции .
+
+
+ Добавляет объект в конец коллекции .
+ Добавленный объект для коллекции.
+ Значение объекта для добавления в коллекцию.
+
+
+ Определяет, содержит ли интерфейс определенный элемент.
+ True, если содержит определенный элемент; в противном случае — значение false.
+ Значение элемента.
+
+
+ Осуществляет поиск указанного объекта и возвращает индекс (с нуля) первого вхождения, найденного в пределах всего .
+ Отсчитываемый от нуля индекс объекта.
+ Значение объекта.
+
+
+ Добавляет элемент в список в позиции с указанным индексом.
+ Индекс, указывающий, куда вставить элемент.
+ Значение элемента.
+
+
+ Получает значение, показывающее, имеет ли фиксированный размер.
+ True, если коллекция имеет фиксированный размер; в противном случае — значение false.
+
+
+ Получает значение, указывающее, доступна ли только для чтения.
+ Значение True, если доступна только для чтения; в противном случае — значение false.
+
+
+ Получает или задает элемент с указанным индексом.
+ Элемент с заданным индексом.
+ Индекс элемента.
+
+
+ Удаляет первый экземпляр указанного объекта из коллекции .
+ Значение удаленного объекта.
+
+
+ Указывает, что необходимо выполнить сериализацию конкретного члена класса в качестве массива XML-элементов.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса и указывает имя XML-элемента, созданного в экземпляре XML-документа.
+ Имя XML-элемента, созданного при помощи .
+
+
+ Получает или задает имя XML-элемента, присвоенное сериализованному массиву.
+ Имя XML-элемента сериализованного массива.По умолчанию используется имя члена, которому назначается .
+
+
+ Получает или задает значение, которое показывает, является ли имя XML-элемента, созданного при помощи , квалифицированным или неквалифицированным.
+ Одно из значений .Значение по умолчанию — XmlSchemaForm.None.
+
+
+ Получает или задает значение, которое показывает, должен ли выполнить сериализацию члена как пустого тега XML с атрибутом xsi:nil, для которого установлено значение true.
+ true, если создает атрибут xsi:nil; в противном случае, false.
+
+
+ Получает или задает пространство имен XML-элемента.
+ Пространство имен XML-элемента.
+
+
+ Получает или задает порядок сериализации или десериализации элементов.
+ Порядок генерирования кода.
+
+
+ Представляет атрибут, который определяет производные типы, которые могут быть размещены в сериализованном массиве.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса и указывает имя элемента XML, сгенерированного в документе XML.
+ Имя элемента XML.
+
+
+ Инициализация нового экземпляра класса и определяет имя элемента XML, сгенерированного в документе XML, и , который может быть вставлен в сгенерированный документ XML.
+ Имя элемента XML.
+ Тип сериализуемого объекта.
+
+
+ Инициализация нового экземпляра класса и определяет , который может быть вставлен в сериализованный массив.
+ Тип сериализуемого объекта.
+
+
+ Возвращает или задает тип данных XML сгенерированного элемента XML.
+ Тип данных определения схемы XML (XSD) согласно документу "Схема XML, часть 2: типы данных" консорциума World Wide Web (www.w3.org).
+
+
+ Получает или задает имя созданного XML-элемента
+ Имя созданного XML-элемента.По умолчанию используется идентификатор члена
+
+
+ Возвращает или задает значение, которое указывает, является ли имя сгенерированного элемента XML полным.
+ Одно из значений .Значение по умолчанию — XmlSchemaForm.None.
+ Свойство имеет значение XmlSchemaForm.Unqualified, а свойство задано.
+
+
+ Получает или задает значение, которое показывает, должен ли выполнить сериализацию члена как пустого тега XML с атрибутом xsi:nil, для которого установлено значение true.
+ true, если генерирует атрибут xsi:nil, в противном случае false, а экземпляр не генерируется.Значение по умолчанию — true.
+
+
+ Возвращает или задает пространство имен сгенерированного элемента XML.
+ Пространство имен сгенерированного элемента XML.
+
+
+ Возвращает или задает уровень в иерархии элементов XML, на который воздействует .
+ Индекс, начинающийся с нуля, набора индексов в массиве массивов.
+
+
+ Возвращает или задает тип, допустимый в массиве.
+
+ , допустимый в массиве.
+
+
+ Представляет коллекцию объектов .
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Добавляет в коллекцию объект .
+ Индекс добавляемого элемента.
+ Объект , добавляемый в коллекцию.
+
+
+ Удаляет все элементы из коллекции .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Определяет, содержит ли коллекция указанный .
+ Значение true, если коллекция содержит заданный объект ; в противном случае — значение false.
+ Объект для проверки.
+
+
+ Копирует в коллекцию массив , начиная с заданного индекса целевого объекта.
+ Массив объектов для копирования в коллекцию.
+ Индекс, по которому будут расположены скопированные атрибуты.
+
+
+ Получает число элементов, содержащихся в интерфейсе .
+ Число элементов, содержащихся в интерфейсе .
+
+
+ Возвращает перечислитель для класса .
+ Интерфейс для массива .
+
+
+ Возвращает отсчитываемый от нуля индекс первого вхождения заданного в коллекции либо значение -1, если атрибут не обнаружен в коллекции.
+ Первый индекс объекта в коллекции или значение -1, если атрибут не обнаружен в коллекции.
+ Объект для поиска в коллекции.
+
+
+ Вставляет элемент в коллекцию по заданному индексу.
+ Индекс, по которому вставлен атрибут.
+ Объект для вставки.
+
+
+ Возвращает или задает элемент с указанным индексом.
+ Объект с указанным индексом.
+ Начинающийся с нуля индекс полученного или заданного члена коллекции.
+
+
+ Удаляет объект из коллекции, если он содержится в ней.
+ Объект для удаления.
+
+
+ Удаляет элемент по указанному индексу.
+ Отсчитываемый от нуля индекс удаляемого элемента.
+ Параметр не является допустимым индексом в списке .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Копирует целый массив в совместимый одномерный массив , начиная с заданного индекса целевого массива.
+ Одномерный массив , в который копируются элементы из интерфейса .Индексация в массиве должна начинаться с нуля.
+
+
+ Получает значение, показывающее, является ли доступ к коллекции синхронизированным (потокобезопасным).
+ Значение true, если доступ к коллекции является синхронизированным (потокобезопасным); в противном случае — значение false.
+
+
+
+ Добавляет объект в конец коллекции .
+ Индекс коллекции , по которому был добавлен параметр .
+ Объект , добавляемый в конец коллекции .Допускается значение null.
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Определяет, содержит ли коллекция указанный объект .
+ Значение true, если коллекция содержит заданный объект ; в противном случае — значение false.
+
+
+ Возвращает отсчитываемый от нуля индекс первого вхождения заданного в коллекции либо значение -1, если атрибут не обнаружен в коллекции.
+ Первый индекс объекта в коллекции или значение -1, если атрибут не обнаружен в коллекции.
+
+
+ Добавляет элемент в список в позиции с указанным индексом.
+ Отсчитываемый от нуля индекс, по которому следует вставить параметр .
+ Вставляемый объект .Допускается значение null.
+ Значение параметра меньше нуля.– или – Значение больше значения .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Получает значение, показывающее, имеет ли список фиксированный размер.
+ Значение true, если список имеет фиксированный размер, в противном случае — значение false.
+
+
+ Получает значение, указывающее, доступна ли только для чтения.
+ Значение true, если доступна только для чтения; в противном случае — значение false.
+
+
+ Возвращает или задает элемент с указанным индексом.
+ Объект с указанным индексом.
+ Начинающийся с нуля индекс полученного или заданного члена коллекции.
+
+
+ Удаляет первый экземпляр указанного объекта из коллекции .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Указывает, что необходимо выполнить сериализацию члена класса в качестве XML-атрибута.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса , а также указывает имя созданного XML-атрибута.
+ Имя XML-атрибута, созданного при помощи .
+
+
+ Инициализирует новый экземпляр класса .
+ Имя созданного XML-атрибута.
+
+ , используемый для хранения атрибута.
+
+
+ Инициализирует новый экземпляр класса .
+
+ , используемый для хранения атрибута.
+
+
+ Возвращает или задает имя XML-атрибута.
+ Имя XML-атрибута.По умолчанию это имя члена.
+
+
+ Возвращает или задает тип данных XSD XML-атрибута, созданного при помощи .
+ Тип данных XSD (документ схемы XML), как определено документом консорциума W3C (www.w3.org) "XML-схема: Типы данных".
+
+
+ Возвращает или задает значение, которое показывает, является ли имя XML-атрибута, созданного при помощи , квалифицированным.
+ Одно из значений .Значение по умолчанию — XmlForm.None.
+
+
+ Возвращает или задает пространство имен XML для XML-атрибута.
+ Пространство имен XML для XML-атрибута.
+
+
+ Возвращает или задает сложный тип XML-атрибута.
+ Тип XML-атрибута.
+
+
+ Позволяет переопределять атрибуты свойства, поля и класса при использовании для сериализации или десериализации объекта.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Добавляет объект к коллекции объектов .Параметр указывает объект для переопределения.Параметр указывает имя переопределяемого члена.
+
+ объекта для переопределения.
+ Имя члена для переопределения.
+ Объект , представляющий атрибуты переопределения.
+
+
+ Добавляет объект к коллекции объектов .Параметр указывает объект для переопределения объектом .
+
+ переопределяемого объекта.
+ Объект , представляющий атрибуты переопределения.
+
+
+ Получает объект, ассоциированный с указанным типом базового класса.
+
+ , представляющий коллекцию атрибутов переопределения.
+ Базовый класс , ассоциированный с коллекцией атрибутов для извлечения.
+
+
+ Получает объект, ассоциированный с указанным типом (базового класса).Параметр члена указывает имя переопределяемого члена базового класса.
+
+ , представляющий коллекцию атрибутов переопределения.
+ Базовый класс , ассоциированный с требуемой коллекцией атрибутов.
+ Имя переопределенного члена, указывающего для возврата.
+
+
+ Представление коллекции объектов атрибутов, управляющих сериализацией и десериализацией объекта с помощью .
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Получает или задает для переопределения.
+
+ для переопределения.
+
+
+ Получение коллекции объектов для переопределения.
+ Объект , представляющий коллекцию объектов .
+
+
+ Получает или задает объект, задающий сериализацию с помощью для открытого поля или свойства чтения/записи, которое возвращает массив.
+
+ , задающий сериализацию с помощью для открытого поля или свойства чтения/записи, которое возвращает массив.
+
+
+ Получает или задает коллекцию объектов, определяющих сериализацию с помощью для элементов, которые вставлены в массив, возвращенный открытым полем или свойством чтения/записи.
+ Список , в котором содержится коллекция объектов .
+
+
+ Получает или задает объект, задающий сериализацию с помощью для открытого поля или свойства чтения/записи как атрибута XML.
+
+ , управляющий сериализацией открытого поля или свойства чтения/записи как атрибута XML.
+
+
+ Получает или задает объект, позволяющий определиться с выбором.
+
+ , который можно применить к члену класса, который сериализуется как элемент xsi:choice.
+
+
+ Получает или задает значение по умолчанию XML-элемента или атрибута.
+ Объект , представляющей значение по умолчанию элемента XML или атрибута.
+
+
+ Получение коллекции объектов, задающих сериализацию с помощью для открытого поля или свойства чтения/записи как элемента XML.
+
+ , содержащий коллекцию объектов .
+
+
+ Получает или задает объект, задающий сериализацию с помощью для члена перечисления.
+
+ , задающий сериализацию с помощью для члена перечисления.
+
+
+ Получает или задает значение, задающее то, будет ли выполнена сериализация с помощью для открытого поля или открытого свойства чтения/записи.
+ true, если не должен сериализовать поле или свойство; в противном случае false.
+
+
+ Возвращает и задает значение, определяющее, стоит ли сохранить все объявления пространств имен, если объект с членом, возвращающим объект , переопределен.
+ true, если объявления пространств имен следует сохранить, иначе false.
+
+
+ Получает или задает объект, задающий сериализацию с помощью для класса как корневого элемента XML.
+
+ , переопределяющий класс с атрибутами корневого элемента XML.
+
+
+ Получает или задает объект, указывающий сериализовать открытое поле или свойство чтения/записи как текст XML.
+
+ , переопределяющий сериализацию по умолчанию для открытого свойства или поля.
+
+
+ Получает или задает объект, задающий сериализацию с помощью для класса, к которому был применен .
+
+ , который переопределяет , примененный к объявлению класса.
+
+
+ Указывает, что член может быть обнаружен посредством перечисления.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализирует новый экземпляр класса .
+ Имя члена, возвращающего перечисление, используемое для определения выбора.
+
+
+ Получает или задает имя поля, возвращающего перечисление для использования при определении типов.
+ Имя поля, возвращающего перечисление.
+
+
+ Указывает, что открытое поле или свойство представляет XML-элемент, когда сериализует или десериализует объект, содержащий его.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса и указывает имя элемента XML.
+ Имя XML-элемента сериализованного члена.
+
+
+ Инициализирует новый экземпляр класса и указывает имя XML-элемента и производного типа для члена, к которому применяется .Данный тип члена используйте при сериализации содержащего его объекта.
+ Имя XML-элемента сериализованного члена.
+
+ объекта, являющегося производным от типа члена.
+
+
+ Инициализирует новый экземпляр класса и указывает тип для члена, к которому применяется .Данный тип используется при сериализации или десериализации содержащего его объекта.
+
+ объекта, являющегося производным от типа члена.
+
+
+ Получает или задает тип данных определения схемы XML (XSD), сгенерированного элемента XML.
+ Тип данных XML-схемы в соответствии с документом консорциума W3C (www.w3.org) "XML Schema Part 2: Datatypes".
+ Указанный тип данных XML-схемы не может иметь соответствия в типах данных .NET.
+
+
+ Получает или задает имя созданного XML-элемента
+ Имя созданного XML-элемента.По умолчанию используется идентификатор члена
+
+
+ Получает или задает значение, указывающее квалифицирован ли элемент.
+ Одно из значений .Значение по умолчанию — .
+
+
+ Получает или задает значение, которое указывает, должен ли сериализовать члена, имеющего значение null, в качестве пустого тега с атрибутом xsi:nil со значением true.
+ true, если создает атрибут xsi:nil; в противном случае, false.
+
+
+ Получает или задает пространство имен, присвоенное элементу XML, получаемому при сериализации класса.
+ Пространство имен XML-элемента.
+
+
+ Получает или задает порядок сериализации или десериализации элементов.
+ Порядок генерирования кода.
+
+
+ Получает или задает тип объекта, используемый для представления элемента XML.
+
+ члена.
+
+
+ Представляет коллекцию объектов , используемую для переопределения способа сериализации класса, используемого по умолчанию.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Добавляет в коллекцию.
+ Отсчитываемый от нуля индекс вновь добавленного элемента.
+ Добавляемый объект .
+
+
+ Удаляет все элементы из коллекции .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Определяет, содержит ли коллекция указанный объект.
+ true, если объект существует в коллекции; в противном случае — значение false.
+ Объект , который нужно найти.
+
+
+ Полностью или частично копирует в одномерный массив.
+ Массив для хранения скопированных элементов.
+ Индекс (с нуля) в массиве , с которого начинается копирование.
+
+
+ Получает число элементов, содержащихся в интерфейсе .
+ Число элементов, содержащихся в интерфейсе .
+
+
+ Возвращает перечислитель для класса .
+ Интерфейс для массива .
+
+
+ Получает индекс заданного ограничения .
+ Начинающийся с нуля индекс .
+
+ , индекс которого требуется извлечь.
+
+
+ Вставляет в коллекцию.
+ Отсчитываемый от нуля индекс для вставки члена.
+ Вставляемый объект .
+
+
+ Получает или задает элемент с указанным индексом.
+ Элемент с заданным индексом.
+ Отсчитываемый с нуля индекс получаемого или задаваемого элемента.
+ Параметр не является допустимым индексом в списке .
+ Свойство задано, и объект доступен только для чтения.
+
+
+ Удаляет указанный объект из коллекции.
+
+ для удаления из коллекции.
+
+
+ Удаляет элемент по указанному индексу.
+ Отсчитываемый от нуля индекс удаляемого элемента.
+ Параметр не является допустимым индексом в списке .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Копирует целый массив в совместимый одномерный массив , начиная с заданного индекса целевого массива.
+ Одномерный массив , в который копируются элементы из интерфейса .Индексация в массиве должна начинаться с нуля.
+
+
+ Получает значение, показывающее, является ли доступ к коллекции синхронизированным (потокобезопасным).
+ Значение true, если доступ к коллекции является синхронизированным (потокобезопасным); в противном случае — значение false.
+
+
+ Получает объект, с помощью которого можно синхронизировать доступ к коллекции .
+ Объект, который может использоваться для синхронизации доступа к коллекции .
+
+
+ Добавляет объект в конец коллекции .
+ Индекс коллекции , по которому был добавлен параметр .
+ Объект , добавляемый в конец коллекции .Допускается значение null.
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Определяет, содержит ли коллекция указанное значение.
+ Значение true, если объект найден в списке ; в противном случае — значение false.
+ Объект, который требуется найти в .
+
+
+ Определяет индекс заданного элемента коллекции .
+ Индекс , если он найден в списке; в противном случае -1.
+ Объект, который требуется найти в .
+
+
+ Добавляет элемент в список в позиции с указанным индексом.
+ Отсчитываемый от нуля индекс, по которому следует вставить параметр .
+ Вставляемый объект .Допускается значение null.
+ Значение параметра меньше нуля.– или – Значение больше значения .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Получает значение, показывающее, имеет ли список фиксированный размер.
+ Значение true, если список имеет фиксированный размер, в противном случае — значение false.
+
+
+ Получает значение, указывающее, доступна ли только для чтения.
+ Значение true, если доступна только для чтения; в противном случае — значение false.
+
+
+ Получает или задает элемент с указанным индексом.
+ Элемент с заданным индексом.
+ Отсчитываемый с нуля индекс получаемого или задаваемого элемента.
+ Параметр не является допустимым индексом в списке .
+ Свойство задано, и объект доступен только для чтения.
+
+
+ Удаляет первый экземпляр указанного объекта из коллекции .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Управляет тем, как сериализует член перечисления.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса и определяет XML-значение, которое создает или распознает (при сериализации или десериализации перечисления, соответственно).
+ Переопределяющее имя члена перечисления.
+
+
+ Получает или задает значение, создаваемое в экземпляре XML-документа, когда сериализует перечисление, или значение, распознаваемое при десериализации члена перечисления.
+ Значение, создаваемое в экземпляре XML-документа, когда сериализует перечисление, или значение, распознаваемое при десериализации члена перечисления.
+
+
+ Инструктирует метод , принадлежащий , не сериализовывать значение открытого поля или открытого свойства чтения/записи.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Позволяет распознавать тип в процессе сериализации или десериализации объекта.
+
+
+ Инициализирует новый экземпляр класса .
+
+ объекта, который необходимо включить.
+
+
+ Получает или задает тип объекта, который необходимо включить.
+
+ объекта, который необходимо включить.
+
+
+ Указывает, что целевое свойство, параметр, возвращаемое значение или член класса содержит префиксы, связанные с пространствами имен, используемыми в документе XML.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Управляет XML-сериализацией конечного объекта атрибута как корневого XML-элемента.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса и указывает имя корневого XML-элемента.
+ Имя корневого XML-элемента.
+
+
+ Возвращает или задает тип данных XSD корневого XML-элемента.
+ Тип данных XSD (документ схемы XML), как определено документом консорциума W3C (www.w3.org) "XML-схема: Типы данных".
+
+
+ Возвращает или задает имя XML-элемента, создаваемого и опознаваемого методами и класса .
+ Имя корневого XML-элемента, который создается и распознается в экземпляре XML-документа.По умолчанию — это имя сериализуемого класса.
+
+
+ Возвращает или задает значение, которое указывает, должен ли выполнять сериализацию члена со значением null в атрибут xsi:nil со значением true.
+ true, если создает атрибут xsi:nil; в противном случае, false.
+
+
+ Возвращает или задает пространство имен для корневого XML-элемента.
+ Пространство имен для XML-элемента.
+
+
+ Сериализует и десериализует объекты в документы XML и из них. позволяет контролировать способ кодирования объектов в XML.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса , который может сериализовать объекты заданного типа в документы XML, а также десериализовать документы XML в объекты заданного типа.
+ Тип объекта, который может быть сериализован .
+
+
+ Инициализация нового экземпляра класса , который может сериализовать объекты заданного типа в документы XML, а также десериализовать документы XML в объекты заданного типа.Указывает пространство имен по умолчанию для всех элементов XML.
+ Тип объекта, который может быть сериализован .
+ Пространство имен по умолчанию для всех элементов XML.
+
+
+ Инициализация нового экземпляра класса , который может сериализовать объекты заданного типа в документы XML, и может десериализовать документы XML в объект заданного типа.Если свойство или поле возвращает массив, параметр определяет объекты, которые могут быть вставлены в массив.
+ Тип объекта, который может быть сериализован .
+ Массив дополнительных типов объектов для сериализации.
+
+
+ Инициализация нового экземпляра класса , который может сериализовать объекты заданного типа в документы XML, а также десериализовать документы XML в объекты заданного типа.Каждый сериализуемый объект может сам содержать экземпляры классов, которые данная перегрузка позволяет переопределить с другими классами.
+ Тип сериализуемого объекта.
+ Объект .
+
+
+ Инициализация нового экземпляра класса , который может сериализовать объекты типа в экземпляры документа XML, а также десериализовать экземпляры документа XML в объекты типа .Каждый сериализуемый объект может сам содержать экземпляры классов, которые данная перегрузка переопределяет с другими классами.Данная перегрузка также указывает пространство имен по умолчанию для всех элементов XML и класс для использования в качестве корневого элемента XML.
+ Тип объекта, который может быть сериализован .
+
+ , расширяющий или переопределяющий поведение класса, задается в параметре .
+ Массив дополнительных типов объектов для сериализации.
+
+ , указывающий свойство корневого элемента XML.
+ Пространство имен по умолчанию всех элементов XML в документе XML.
+
+
+ Инициализация нового экземпляра класса , который может сериализовать объекты заданного типа в документы XML, а также десериализовать документ XML в объект заданного типа.Также указывает класс для использования в качестве корневого элемента XML.
+ Тип объекта, который может быть сериализован .
+
+ , представляющий свойство корневого элемента XML.
+
+
+ Получает значение, указывающее возможность выполнения данным десериализации документа XML.
+ true, если может выполнить десериализацию объекта, на который указывает , в противном случае false.
+
+ , указывающий на документ для десериализации.
+
+
+ Десериализует документ XML, содержащийся указанным .
+
+ десериализуется.
+
+ , содержащий документ XML для десериализации.
+
+
+ Десериализует документ XML, содержащийся указанным .
+
+ десериализуется.
+
+ , содержащий документ XML для десериализации.
+ Возникла ошибка при десериализации.Исходное исключение доступно с помощью свойства .
+
+
+ Десериализует документ XML, содержащийся указанным .
+
+ десериализуется.
+
+ , содержащий документ XML для десериализации.
+ Возникла ошибка при десериализации.Исходное исключение доступно с помощью свойства .
+
+
+ Возвращает массив объектов , созданный из массива типов.
+ Массив объектов .
+ Массив объектов .
+
+
+ Сериализует указанный и записывает документ XML в файл с помощью заданного .
+
+ используется для записи документа XML.
+
+ для сериализации.
+ Возникла ошибка при сериализации.Исходное исключение доступно с помощью свойства .
+
+
+ Сериализует указанный и записывает документ XML в файл с помощью заданного , ссылающегося на заданные пространства имен.
+
+ используется для записи документа XML.
+
+ для сериализации.
+
+ со ссылкой объекта.
+ Возникла ошибка при сериализации.Исходное исключение доступно с помощью свойства .
+
+
+ Сериализует указанный и записывает документ XML в файл с помощью заданного .
+
+ используется для записи документа XML.
+
+ для сериализации.
+
+
+ Сериализует указанный объект и записывает документ XML в файл с помощью заданного и ссылается на заданные пространства имен.
+
+ используется для записи документа XML.
+
+ для сериализации.
+
+ , содержащий пространства имен для сгенерированного документа XML.
+ Возникла ошибка при сериализации.Исходное исключение доступно с помощью свойства .
+
+
+ Сериализует указанный и записывает документ XML в файл с помощью заданного .
+
+ используется для записи документа XML.
+
+ для сериализации.
+ Возникла ошибка при сериализации.Исходное исключение доступно с помощью свойства .
+
+
+ Сериализует указанный и записывает документ XML в файл с помощью заданного , ссылающегося на заданные пространства имен.
+
+ используется для записи документа XML.
+
+ для сериализации.
+
+ со ссылкой объекта.
+ Возникла ошибка при сериализации.Исходное исключение доступно с помощью свойства .
+
+
+ Содержит пространства имен XML и префиксы, используемые для генерирования полных имен в экземпляре документа XML.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса с помощью определенного экземпляра XmlSerializerNamespaces, содержащего коллекцию пар префикса и пространства имен.
+ Экземпляр , содержащий пары пространства имен и префикса.
+
+
+ Инициализирует новый экземпляр класса .
+ Массив объектов .
+
+
+ Добавляет пару префикса и пространства имен объекту .
+ Префикс ассоциирован с пространством имен XML.
+ Пространство имен XML.
+
+
+ Получает число пар префикса и пространства имен в коллекции.
+ Число пар префикса и пространства имен в коллекции.
+
+
+ Получает массив пар префикса и пространства имен в объекте .
+ Массив объектов , используемых в качестве квалифицированных имен в документе XML.
+
+
+ Указывает на , что член должен обрабатываться как текст XML, когда содержащий его класс сериализуется или десериализуется.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализирует новый экземпляр класса .
+
+ сериализуемого члена.
+
+
+ Получает или задает тип данных языка определения схем XML (XSD) текста, сгенерированного .
+ Тип данных схемы XML (XSD) согласно документу "Схема XML, часть 2: типы данных" консорциума World Wide Web (www.w3.org).
+ Указанный тип данных XML-схемы не может иметь соответствия в типах данных .NET.
+ Указанный тип данных схемы XML неверен для свойства и не может быть преобразован в тип члена.
+
+
+ Получает или задает тип члена.
+
+ члена.
+
+
+ Управляет схемой XML, сгенерированной при сериализации цели атрибута.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализирует новый экземпляр класса и задает имя типа XML.
+ Имя типа XML, генерируемое при сериализации экземпляра класса (и определении при десериализации экземпляра класса).
+
+
+ Получает или задает значение, определяющее, является ли результирующий тип схемы анонимным типом XSD.
+ true, если результирующий тип схемы является анонимным типом XSD, в противном случае false.
+
+
+ Получает или задает значение, указывающее, включается ли тип в документы схемы XML.
+ true для включения типа в документ схемы XML, в противном случае false.
+
+
+ Получает или задает пространство имен типа XML.
+ Пространство имен типа XML.
+
+
+ Получает или задает имя типа XML.
+ Имя типа XML.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/zh-hans/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/zh-hans/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..37bb7ba
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/zh-hans/System.Xml.XmlSerializer.xml
@@ -0,0 +1,917 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ 指定成员(返回 对象的数组的字段)可以包含任何 XML 特性。
+
+
+ 构造 类的新实例。
+
+
+ 指定成员(返回 或 对象的数组的字段)可以包含对象,该对象表示在序列化或反序列化的对象中没有相应成员的所有 XML 元素。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例并指定在 XML 文档中生成的 XML 元素名称。
+
+ 生成的 XML 元素的名称。
+
+
+ 初始化 类的新实例并指定在 XML 文档中生成的 XML 元素名称及其 XML 命名空间。
+
+ 生成的 XML 元素的名称。
+ XML 元素的 XML 命名空间。
+
+
+ 获取或设置 XML 元素名。
+ XML 元素的名称。
+ 数组成员的元素名称与 属性指定的元素名称不匹配。
+
+
+ 获取或设置在 XML 文档中生成的 XML 命名空间。
+ 一个 XML 命名空间。
+
+
+ 获取或设置序列化或反序列化元素的显式顺序。
+ 代码生成的顺序。
+
+
+ 表示 对象的集合。
+
+
+ 初始化 类的新实例。
+
+
+ 将 添加到集合中。
+ 新添加的 的索引。
+ 要相加的 。
+
+
+ 从 中移除所有对象。不能重写此方法。
+
+
+ 获取一个值,该值指示集合中是否存在指定的 。
+ 如果集合中存在该 ,则为 true;否则为 false。
+ 您关注的 。
+
+
+ 将整个集合复制到 对象的一个兼容一维数组,从目标数组的指定索引处开始。
+
+ 对象的一维数组,它是从集合复制来的元素的目标。该数组的索引必须从零开始。
+
+ 中从零开始的索引,从此索引处开始进行复制。
+
+
+ 获取包含在 实例中的元素数。
+ 包含在 实例中的元素数。
+
+
+ 返回循环访问 的枚举数。
+ 一个循环访问 的枚举器。
+
+
+ 获取指定的 的索引。
+ 指定 的索引。
+ 您需要其索引的 。
+
+
+ 在集合中的指定索引处插入 。
+
+ 的插入位置的索引。
+ 要插入的 。
+
+
+ 获取或设置指定索引处的 。
+ 指定索引处的 。
+
+ 的索引。
+
+
+ 从集合中移除指定的 。
+ 要移除的 。
+
+
+ 移除 的指定索引处的元素。不能重写此方法。
+ 要被移除的元素的索引。
+
+
+ 将整个集合复制到 对象的一个兼容一维数组,从目标数组的指定索引处开始。
+ 一维数组。
+ 指定的索引。
+
+
+ 获取一个值,该值指示是否同步对 的访问(线程安全)。
+ 如果同步对 的访问,则为 True;否则为 false。
+
+
+ 获取可用于同步对 的访问的对象。
+ 可用于同步对 的访问的对象。
+
+
+ 将对象添加到 的结尾处。
+ 要添加到集合中的对象。
+ 作为要添加的元素的值的对象。
+
+
+ 确定 是否包含特定元素。
+ 如果 包含特定元素,则为 True;否则为 false。
+ 元素的值。
+
+
+ 搜索指定的“对象”,并返回整个 中第一个匹配项的从零开始的索引。
+ 对象的从零开始的索引。
+ 对象的值。
+
+
+ 将元素插入 的指定索引处。
+ 索引,在此处插入元素。
+ 元素的值。
+
+
+ 获取一个值,该值指示 是否固定大小。
+ 如果 固定大小,则为 True;否则为 false。
+
+
+ 获取一个值,该值指示 是否为只读。
+ 如果 为只读,则为 True;否则为 false。
+
+
+ 获取或设置位于指定索引处的元素。
+ 位于指定索引处的元素。
+ 元素的索引。
+
+
+ 从 中移除特定对象的第一个匹配项。
+ 移除的对象的值。
+
+
+ 指定 必须将特定的类成员序列化为 XML 元素的数组。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,并指定在 XML 文档实例中生成的 XML 元素名称。
+
+ 生成的 XML 元素的名称。
+
+
+ 获取或设置提供给序列化数组的 XML 元素名称。
+ 序列化数组的 XML 元素名称。默认值为向其分配 的成员的名称。
+
+
+ 获取或设置一个值,该值指示 生成的 XML 元素名称是限定的还是非限定的。
+
+ 值之一。默认值为 XmlSchemaForm.None。
+
+
+ 获取或设置一个值,该值指示 是否必须将成员序列化为 xsi:nil 属性设置为 true 的 XML 空标记。
+ 如果 生成 xsi:nil 属性,则为 true;否则为 false。
+
+
+ 获取或设置 XML 元素的命名空间。
+ XML 元素的命名空间。
+
+
+ 获取或设置序列化或反序列化元素的显式顺序。
+ 代码生成的顺序。
+
+
+ 表示指定 可以放置在序列化数组中的派生类型的特性。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,并指定在 XML 文档中生成的 XML 元素的名称。
+ XML 元素的名称。
+
+
+ 初始化 类的新实例,并指定在 XML 文档中生成的 XML 元素的名称,以及可插入到所生成的 XML 文档中的 。
+ XML 元素的名称。
+ 要序列化的对象的 。
+
+
+ 初始化 类的新实例,并指定可插入到序列化数组中的 。
+ 要序列化的对象的 。
+
+
+ 获取或设置生成的 XML 元素的 XML 数据类型。
+ “XML 架构定义”(XSD) 数据类型,定义见名为“XML 架构第 2 部分:数据类型”的“万维网联合会”(www.w3.org) 文档。
+
+
+ 获取或设置生成的 XML 元素的名称。
+ 生成的 XML 元素的名称。默认值为成员标识符。
+
+
+ 获取或设置一个值,该值指示生成的 XML 元素的名称是否是限定的。
+
+ 值之一。默认值为 XmlSchemaForm.None。
+
+ 属性设置为 XmlSchemaForm.Unqualified,并且指定 值。
+
+
+ 获取或设置一个值,该值指示 是否必须将成员序列化为 xsi:nil 属性设置为 true 的 XML 空标记。
+ 如果 生成 xsi:nil 特性,则为 true;否则为 false,且不生成实例。默认值为 true。
+
+
+ 获取或设置生成的 XML 元素的命名空间。
+ 生成的 XML 元素的命名空间。
+
+
+ 获取或设置受 影响的 XML 元素的层次结构中的级别。
+ 数组的数组中的索引集从零开始的索引。
+
+
+ 获取或设置数组中允许的类型。
+ 数组中允许的 。
+
+
+ 表示 对象的集合。
+
+
+ 初始化 类的新实例。
+
+
+ 将 添加到集合中。
+ 所添加的项的索引。
+ 要添加到集合中的 。
+
+
+ 从 中移除所有元素。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 确定集合是否包含指定的 。
+ 如果该集合包含指定的 ,则为 true;否则为 false。
+ 要检查的 。
+
+
+ 从指定的目标索引开始,将 数组复制到集合。
+ 要复制到集合中的 对象的数组。
+ 从该处开始特性复制的索引。
+
+
+ 获取 中包含的元素数。
+
+ 中包含的元素个数。
+
+
+ 返回整个 的一个枚举器。
+ 用于整个 的 。
+
+
+ 返回所指定 在集合中首个匹配项的从零开始的索引;如果在集合中找不到该特性,则为 -1。
+
+ 在集合中的首个索引;如果在集合中找不到该特性,则为 -1。
+ 要在集合中定位的 。
+
+
+ 在集合中的指定索引处插入 。
+ 在该处插入特性的索引。
+ 要插入的 。
+
+
+ 获取或设置指定索引处的项。
+ 位于指定索引处的 。
+ 要获取或设置的从零开始的集合成员的索引。
+
+
+ 如果存在,则从集合中移除 。
+ 要移除的 。
+
+
+ 移除指定索引处的 项。
+ 要移除的项的从零开始的索引。
+
+ 不是 中的有效索引。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 从目标数组的指定索引处开始将整个 复制到兼容的一维 。
+ 作为从 复制的元素的目标的一维 。 必须具有从零开始的索引。
+
+
+ 获取一个值,该值指示是否同步对 的访问(线程安全)。
+ 如果对 的访问是同步的(线程安全),则为 true;否则为 false。
+
+
+
+ 将对象添加到 的结尾处。
+
+ 索引,已在此处添加了 。
+ 要添加到 末尾的 。该值可以为 null。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 确定集合是否包含指定的 。
+ 如果该集合包含指定的 ,则为 true;否则为 false。
+
+
+ 返回所指定 在集合中首个匹配项的从零开始的索引;如果在集合中找不到该特性,则为 -1。
+
+ 在集合中的首个索引;如果在集合中找不到该特性,则为 -1。
+
+
+ 将元素插入 的指定索引处。
+ 从零开始的索引,应在该位置插入 。
+ 要插入的 。该值可以为 null。
+
+ 小于零。- 或 - 大于 。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 获取一个值,该值指示 是否具有固定大小。
+ 如果 具有固定大小,则为 true;否则为 false。
+
+
+ 获取一个值,该值指示 是否为只读。
+ 如果 为只读,则为 true;否则为 false。
+
+
+ 获取或设置指定索引处的项。
+ 位于指定索引处的 。
+ 要获取或设置的从零开始的集合成员的索引。
+
+
+ 从 中移除特定对象的第一个匹配项。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 指定 必须将类成员序列化为 XML 属性。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,并指定生成的 XML 属性的名称。
+
+ 生成的 XML 特性的名称。
+
+
+ 初始化 类的新实例。
+ 生成的 XML 特性的名称。
+ 用来存储特性的 。
+
+
+ 初始化 类的新实例。
+ 用来存储特性的 。
+
+
+ 获取或设置 XML 属性的名称。
+ XML 属性的名称。默认值为成员名称。
+
+
+ 获取或设置 生成的 XML 属性的 XSD 数据类型。
+ 一种 XSD(XML 架构文档)数据类型,由名为“XML Schema: DataTypes”(XML 架构:数据类型)的万维网联合会 (www.w3.org) 文档定义。
+
+
+ 获取或设置一个值,该值指示 生成的 XML 属性名称是否是限定的。
+
+ 值之一。默认值为 XmlForm.None。
+
+
+ 获取或设置 XML 属性的 XML 命名空间。
+ XML 属性的 XML 命名空间。
+
+
+ 获取或设置 XML 属性的复杂类型。
+ XML 属性的类型。
+
+
+ 允许您在使用 序列化或反序列化对象时重写属性、字段和类特性。
+
+
+ 初始化 类的新实例。
+
+
+ 将 对象添加到 对象的集合中。 参数指定一个要重写的对象。 参数指定被重写的成员的名称。
+ 要重写的对象的 。
+ 要重写的成员的名称。
+ 表示重写特性的 对象。
+
+
+ 将 对象添加到 对象的集合中。 参数指定由 对象重写的对象。
+ 被重写的对象的 。
+ 表示重写特性的 对象。
+
+
+ 获取与指定的基类类型关联的对象。
+ 表示重写属性集合的 。
+ 与要检索的特性的集合关联的基类 。
+
+
+ 获取与指定(基类)类型关联的对象。成员参数指定被重写的基类成员。
+ 表示重写属性集合的 。
+ 与所需特性的集合关联的基类 。
+ 指定返回的 的重写成员的名称。
+
+
+ 表示一个属性对象的集合,这些对象控制 如何序列化和反序列化对象。
+
+
+ 初始化 类的新实例。
+
+
+ 获取或设置要重写的 。
+ 要重写的 。
+
+
+ 获取要重写的 对象集合。
+ 表示 对象集合的 对象。
+
+
+ 获取或设置一个对象,该对象指定 如何序列化返回数组的公共字段或读/写属性。
+ 一个 ,指定 序列化如何返回数组的公共字段或读/写属性。
+
+
+ 获取或设置一个对象集合,这些对象指定 如何序列化插入数组(由公共字段或读/写属性返回)的项。
+
+ 对象,它包含 对象的集合。
+
+
+ 获取或设置一个对象,该对象指定 如何将公共字段或公共读/写属性序列化为 XML 特性。
+ 控制将公共字段或读/写属性序列化为 XML 特性的 。
+
+
+ 获取或设置一个对象,该对象使您可以区别一组选项。
+ 可应用到被序列化为 xsi:choice 元素的类成员的 。
+
+
+ 获取或设置 XML 元素或属性的默认值。
+ 表示 XML 元素或属性的默认值的 。
+
+
+ 获取一个对象集合,这些对象指定 如何将公共字段或读/写属性序列化为 XML 元素。
+ 包含一个 对象集合的 。
+
+
+ 获取或设置一个对象,该对象指定 如何序列化枚举成员。
+ 指定 如何序列化枚举成员的 。
+
+
+ 获取或设置一个值,该值指定 是否序列化公共字段或公共读/写属性。
+ 如果 不得序列化字段或属性,则为 true;否则为 false。
+
+
+ 获取或设置一个值,该值指定当重写包含返回 对象的成员的对象时,是否保留所有的命名空间声明。
+ 如果应保留命名空间声明,则为 true;否则为 false。
+
+
+ 获取或设置一个对象,该对象指定 如何将类序列化为 XML 根元素。
+ 重写特性化为 XML 根元素的类的 。
+
+
+ 获取或设置一个对象,该对象指示 将公共字段或公共读/写属性序列化为 XML 文本。
+ 重写公共属性或字段的默认序列化的 。
+
+
+ 获取或设置一个对象,该对象指定 如何序列化一个已对其应用 的类。
+ 重写应用于类声明的 的 。
+
+
+ 指定可以通过使用枚举来进一步检测成员。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例。
+ 返回用于检测选项的枚举的成员名称。
+
+
+ 获取或设置字段的名称,该字段返回在检测类型时使用的枚举。
+ 返回枚举的字段的名称。
+
+
+ 指示公共字段或属性在 序列化或反序列化包含它们的对象时表示 XML 元素。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,并指定 XML 元素的名称。
+ 序列化成员的 XML 元素名。
+
+
+ 初始化 的新实例,并指定 XML 元素的名称和 应用到的成员的派生类型。此成员类型在 序列化包含它的对象时使用。
+ 序列化成员的 XML 元素名。
+ 从该成员的类型派生的对象的 。
+
+
+ 初始化 类的新实例,并指定 所应用到的成员的类型。此类型在序列化或反序列化包含它的对象时由 使用。
+ 从该成员的类型派生的对象的 。
+
+
+ 获取或设置由 生成的 XMl 元素的 XML 架构定义 (XSD) 数据类型。
+ “XML 架构”数据类型,如名为“XML 架构第 2 部分:数据类型”的“万维网联合会”(www.w3.org) 文档中所定义。
+ 已指定的 XML 架构数据类型无法映射到 .NET 数据类型。
+
+
+ 获取或设置生成的 XML 元素的名称。
+ 生成的 XML 元素的名称。默认值为成员标识符。
+
+
+ 获取或设置一个值,该值指示元素是否是限定的。
+
+ 值之一。默认值为 。
+
+
+ 获取或设置一个值,该值指示 是否必须将设置为 null 的成员序列化为 xsi:nil 属性设置为 true 的空标记。
+ 如果 生成 xsi:nil 属性,则为 true;否则为 false。
+
+
+ 获取或设置分配给 XML 元素的命名空间,这些 XML 元素是在序列化类时得到的。
+ XML 元素的命名空间。
+
+
+ 获取或设置序列化或反序列化元素的显式顺序。
+ 代码生成的顺序。
+
+
+ 获取或设置用于表示 XML 元素的对象类型。
+ 成员的 。
+
+
+ 表示 对象的集合,该对象由 用来重写序列化类的默认方式。
+
+
+ 初始化 类的新实例。
+
+
+ 将 添加到集合中。
+ 新添加项的从零开始的索引。
+ 要相加的 。
+
+
+ 从 中移除所有元素。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 确定集合是否包含指定对象。
+ 如果该集合中存在对象,则为 true;否则为 false。
+ 要查找的 。
+
+
+ 将 或它的一部分复制到一维数组中。
+ 保留所复制的元素的 数组。
+
+ 中从零开始的索引,从此索引处开始进行复制。
+
+
+ 获取 中包含的元素数。
+
+ 中包含的元素个数。
+
+
+ 返回整个 的一个枚举器。
+ 用于整个 的 。
+
+
+ 获取指定的 的索引。
+
+ 的从零开始的索引。
+ 要检索其索引的 。
+
+
+ 向集合中插入 。
+ 从零开始的索引,在此处插入了成员。
+ 要插入的 。
+
+
+ 获取或设置位于指定索引处的元素。
+ 位于指定索引处的元素。
+ 要获得或设置的元素从零开始的索引。
+
+ 不是 中的有效索引。
+ 设置该属性,而且 为只读。
+
+
+ 从集合中移除指定的对象。
+ 要从该集合中移除的 。
+
+
+ 移除指定索引处的 项。
+ 要移除的项的从零开始的索引。
+
+ 不是 中的有效索引。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 从目标数组的指定索引处开始将整个 复制到兼容的一维 。
+ 作为从 复制的元素的目标的一维 。 必须具有从零开始的索引。
+
+
+ 获取一个值,该值指示是否同步对 的访问(线程安全)。
+ 如果对 的访问是同步的(线程安全),则为 true;否则为 false。
+
+
+ 获取可用于同步对 的访问的对象。
+ 可用于同步对 的访问的对象。
+
+
+ 将对象添加到 的结尾处。
+
+ 索引,已在此处添加了 。
+ 要添加到 末尾的 。该值可以为 null。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 确定 是否包含特定值。
+ 如果在 中找到 ,则为 true;否则为 false。
+ 要在 中定位的对象。
+
+
+ 确定 中特定项的索引。
+ 如果在列表中找到,则为 的索引;否则为 -1。
+ 要在 中定位的对象。
+
+
+ 将元素插入 的指定索引处。
+ 从零开始的索引,应在该位置插入 。
+ 要插入的 。该值可以为 null。
+
+ 小于零。- 或 - 大于 。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 获取一个值,该值指示 是否具有固定大小。
+ 如果 具有固定大小,则为 true;否则为 false。
+
+
+ 获取一个值,该值指示 是否为只读。
+ 如果 为只读,则为 true;否则为 false。
+
+
+ 获取或设置位于指定索引处的元素。
+ 位于指定索引处的元素。
+ 要获得或设置的元素从零开始的索引。
+
+ 不是 中的有效索引。
+ 设置该属性,而且 为只读。
+
+
+ 从 中移除特定对象的第一个匹配项。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 控制 如何序列化枚举成员。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,并指定 生成或识别的(当该序列化程序分别序列化或反序列化枚举时)XML 值。
+ 该枚举成员的重写名。
+
+
+ 获取或设置当 序列化枚举时在 XML 文档实例中生成的值,或当它反序列化该枚举成员时识别的值。
+ 当 序列化枚举时在 XML 文档实例中生成的值,或当它反序列化该枚举成员时识别的值。
+
+
+ 指示 的 方法不序列化公共字段或公共读/写属性值。
+
+
+ 初始化 类的新实例。
+
+
+ 允许 在它序列化或反序列化对象时识别类型。
+
+
+ 初始化 类的新实例。
+ 要包含的对象的 。
+
+
+ 获取或设置要包含的对象的类型。
+ 要包含的对象的 。
+
+
+ 指定目标属性、参数、返回值或类成员包含与 XML 文档中所用命名空间关联的前缀。
+
+
+ 初始化 类的新实例。
+
+
+ 控制视为 XML 根元素的属性目标的 XML 序列化。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,并指定 XML 根元素的名称。
+ XML 根元素的名称。
+
+
+ 获取或设置 XML 根元素的 XSD 数据类型。
+ 一种 XSD(XML 架构文档)数据类型,由名为“XML Schema: DataTypes”(XML 架构:数据类型)的万维网联合会 (www.w3.org) 文档定义。
+
+
+ 获取或设置由 类的 和 方法分别生成和识别的 XML 元素的名称。
+ 在 XML 文档实例中生成和识别的 XML 根元素的名称。默认值为序列化类的名称。
+
+
+ 获取或设置一个值,该值指示 是否必须将设置为 null 的成员序列化为设置为 true 的 xsi:nil 属性。
+ 如果 生成 xsi:nil 属性,则为 true;否则为 false。
+
+
+ 获取或设置 XML 根元素的命名空间。
+ XML 元素的命名空间。
+
+
+ 将对象序列化到 XML 文档中和从 XML 文档中反序列化对象。 使您得以控制如何将对象编码到 XML 中。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,该类可以将指定类型的对象序列化为 XML 文档,也可以将 XML 文档反序列化为指定类型的对象。
+ 此 可序列化的对象的类型。
+
+
+ 初始化 类的新实例,该类可以将指定类型的对象序列化为 XML 文档,也可以将 XML 文档反序列化为指定类型的对象。指定所有 XML 元素的默认命名空间。
+ 此 可序列化的对象的类型。
+ 用于所有 XML 元素的默认命名空间。
+
+
+ 初始化 类的新实例,该类可以将指定类型的对象序列化为 XML 文档,也可以将 XML 文档反序列化为指定类型的对象。如果属性或字段返回一个数组,则 参数指定可插入到该数组的对象。
+ 此 可序列化的对象的类型。
+ 要序列化的其他对象类型的 数组。
+
+
+ 初始化 类的新实例,该类可以将指定类型的对象序列化为 XML 文档,也可以将 XML 文档反序列化为指定类型的对象。要序列化的每个对象本身可包含类的实例,此重载可使用其他类重写这些实例。
+ 要序列化的对象的类型。
+ 一个 。
+
+
+ 初始化 类的新实例,该类可将 类型的对象序列化为 XML 文档实例,并可将 XML 文档实例反序列化为 类型的对象。要序列化的每个对象本身可包含类的实例,此重载可使用其他类重写这些实例。此重载还指定所有 XML 元素的默认命名空间和用作 XML 根元素的类。
+ 此 可序列化的对象的类型。
+ 一个 ,它扩展或重写 参数中指定类的行为。
+ 要序列化的其他对象类型的 数组。
+ 定义 XML 根元素属性的 。
+ XML 文档中所有 XML 元素的默认命名空间。
+
+
+ 初始化 类的新实例,该类可以将指定类型的对象序列化为 XML 文档,也可以将 XML 文档反序列化为指定类型的对象。还可以指定作为 XML 根元素使用的类。
+ 此 可序列化的对象的类型。
+ 表示 XML 根元素的 。
+
+
+ 获取一个值,该值指示此 是否可以反序列化指定的 XML 文档。
+ 如果此 可以反序列化 指向的对象,则为 true,否则为 false。
+ 指向要反序列化的文档的 。
+
+
+ 反序列化指定 包含的 XML 文档。
+ 正被反序列化的 。
+ 包含要反序列化的 XML 文档的 。
+
+
+ 反序列化指定 包含的 XML 文档。
+ 正被反序列化的 。
+
+ 包含要反序列化的 XML 文档。
+ 反序列化期间发生错误。使用 属性时可使用原始异常。
+
+
+ 反序列化指定 包含的 XML 文档。
+ 正被反序列化的 。
+ 包含要反序列化的 XML 文档的 。
+ 反序列化期间发生错误。使用 属性时可使用原始异常。
+
+
+ 返回从类型数组创建的 对象的数组。
+
+ 对象的数组。
+
+ 对象的数组。
+
+
+ 使用指定的 序列化指定的 并将 XML 文档写入文件。
+ 用于编写 XML 文档的 。
+ 将要序列化的 。
+ 序列化期间发生错误。使用 属性时可使用原始异常。
+
+
+ 使用引用指定命名空间的指定 序列化指定的 并将 XML 文档写入文件。
+ 用于编写 XML 文档的 。
+ 将要序列化的 。
+ 该对象所引用的 。
+ 序列化期间发生错误。使用 属性时可使用原始异常。
+
+
+ 使用指定的 序列化指定的 并将 XML 文档写入文件。
+ 用于编写 XML 文档的 。
+ 将要序列化的 。
+
+
+ 使用指定的 和指定命名空间序列化指定的 并将 XML 文档写入文件。
+ 用于编写 XML 文档的 。
+ 将要序列化的 。
+ 包含生成的 XML 文档的命名空间的 。
+ 序列化期间发生错误。使用 属性时可使用原始异常。
+
+
+ 使用指定的 序列化指定的 并将 XML 文档写入文件。
+ 用于编写 XML 文档的 。
+ 将要序列化的 。
+ 序列化期间发生错误。使用 属性时可使用原始异常。
+
+
+ 使用指定的 和指定命名空间序列化指定的 并将 XML 文档写入文件。
+ 用于编写 XML 文档的 。
+ 将要序列化的 。
+ 该对象所引用的 。
+ 序列化期间发生错误。使用 属性时可使用原始异常。
+
+
+ 包含 用于在 XML 文档实例中生成限定名的 XML 命名空间和前缀。
+
+
+ 初始化 类的新实例。
+
+
+ 使用包含前缀和命名空间对集合的 XmlSerializerNamespaces 的指定实例,初始化 类的新实例。
+ 包含命名空间和前缀对的 的实例。
+
+
+ 初始化 类的新实例。
+
+ 对象的数组。
+
+
+ 将前缀和命名空间对添加到 对象。
+ 与 XML 命名空间关联的前缀。
+ 一个 XML 命名空间。
+
+
+ 获取集合中前缀和命名空间对的数目。
+ 集合中前缀和命名空间对的数目。
+
+
+ 获取 对象中前缀和命名空间对的数组。
+ 在 XML 文档中用作限定名的 对象的数组。
+
+
+ 当序列化或反序列化包含该成员的类时,向 指示应将该成员作为 XML 文本处理。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例。
+ 要进行序列化的成员的 。
+
+
+ 获取或设置由 生成的文本的“XML 架构”定义语言 (XSD) 数据类型
+ XML 架构数据类型,如“万维网联合会”(www.w3.org) 文档“XML 架构第 2 部分:数据类型”所定义。
+ 已指定的 XML 架构数据类型无法映射到 .NET 数据类型。
+ 已指定的 XML 架构数据类型对该属性无效,且无法转换为成员类型。
+
+
+ 获取或设置成员的类型。
+ 成员的 。
+
+
+ 控制当属性目标由 序列化时生成的 XML 架构。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,并指定 XML 类型的名称。
+
+ 序列化类实例时生成(和在反序列化类实例时识别)的 XML 类型的名称。
+
+
+ 获取或设置一个值,该值确定生成的构架类型是否为 XSD 匿名类型。
+ 如果结果架构类型为 XSD 匿名类型,则为 true;否则为 false。
+
+
+ 获取或设置一个值,该值指示是否要在 XML 架构文档中包含该类型。
+ 若要将此类型包括到 XML 架构文档中,则为 true;否则为 false。
+
+
+ 获取或设置 XML 类型的命名空间。
+ XML 类型的命名空间。
+
+
+ 获取或设置 XML 类型的名称。
+ XML 类型的名称。
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/zh-hant/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/zh-hant/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..9acaf29
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netcore50/zh-hant/System.Xml.XmlSerializer.xml
@@ -0,0 +1,925 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ 指定成員 (傳回 物件陣列的欄位) 可以包含任何 XML 屬性。
+
+
+ 建構 類別的新執行個體。
+
+
+ 指定成員 (傳回 或 物件陣列的欄位) 包含物件,該物件表示在序列化或還原序列化物件中沒有對應成員的任何 XML 項目。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,指定 XML 文件中產生的 XML 項目名稱。
+
+ 產生的 XML 項目名稱。
+
+
+ 初始化 類別的新執行個體,指定 XML 文件中產生的 XML 項目名稱及其 XML 命名空間。
+
+ 產生的 XML 項目名稱。
+ XML 項目的 XML 命名空間。
+
+
+ 取得或設定 XML 項目名稱。
+ XML 項目的名稱。
+ 陣列成員的項目名稱與 屬性指定的項目名稱不符。
+
+
+ 取得或設定在 XML 文件中產生的 XML 命名空間。
+ XML 命名空間。
+
+
+ 取得或設定項目序列化或還原序列化的明確順序。
+ 程式碼產生的順序。
+
+
+ 表示 物件的集合。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 將 加入集合中。
+ 新加入之 的索引。
+ 要相加的 。
+
+
+ 從 移除所有物件。無法覆寫這個方法。
+
+
+ 取得值,指出指定 是否存在於集合中。
+ 如果集合中有 ,則為 true,否則為 false。
+ 您所要的 。
+
+
+ 從目標陣列的指定索引開始,複製整個集合至 物件的相容一維陣列。
+
+ 物件的一維陣列,從集合複製之項目的目的地。陣列必須有以零起始的索引。
+
+ 中以零起始的索引,是複製開始的位置。
+
+
+ 取得包含在 執行個體中的項目數目。
+ 包含在 執行個體中的項目數目。
+
+
+ 傳回在 中逐一查看的列舉值。
+ 逐一查看 的列舉程式。
+
+
+ 取得指定 的索引。
+ 指定之 的索引。
+ 您想要其索引的 。
+
+
+ 將 插入集合中指定之索引處。
+ 插入 的索引。
+ 要插入的 。
+
+
+ 取得或設定在指定索引處的 。
+ 在指定索引處的 。
+
+ 的索引。
+
+
+ 從集合中移除指定的 。
+ 要移除的 。
+
+
+ 移除 中指定之索引處的項目。無法覆寫這個方法。
+ 要移除的元素索引。
+
+
+ 從目標陣列的指定索引開始,複製整個集合至 物件的相容一維陣列。
+ 一維陣列。
+ 指定的索引。
+
+
+ 取得值,這個值表示對 的存取是否同步 (安全執行緒)。
+ 如果 的存取已同步處理,則為 True,否則為 false。
+
+
+ 取得可用來同步存取 的物件。
+ 可用來同步存取 的物件。
+
+
+ 將物件加入至 的結尾。
+ 已加入集合中的物件。
+ 要加入至集合之物件的值。
+
+
+ 判斷 是否含有特定元素。
+ 如果 包含特定項目則為 True,否則為 false。
+ 項目的值。
+
+
+ 搜尋指定的物件,並傳回整個 中第一個相符項目之以零起始的索引。
+ 物件以零起始的索引。
+ 物件的值。
+
+
+ 將項目插入 中指定的索引處。
+ 將項目插入之處的索引。
+ 項目的值。
+
+
+ 取得值,指出 為固定大小。
+ 如果 有固定大小,則為 True,否則為 false。
+
+
+ 取得值,指出 是否唯讀。
+ 如果 是唯讀的則為 True,否則為 false。
+
+
+ 取得或設定指定之索引處的項目。
+ 在指定之索引處的項目。
+ 項目的索引。
+
+
+ 從 移除特定物件的第一個相符項目。
+ 已移除物件的值。
+
+
+ 指定 必須將特定類別成員序列化為 XML 項目的陣列。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,指定 XML 文件執行個體中產生的 XML 項目名稱。
+
+ 產生的 XML 項目名稱。
+
+
+ 取得或設定指定給序列化陣列的 XML 項目名稱。
+ 序列化陣列的 XML 項目名稱。預設值為被指派了 的成員名稱。
+
+
+ 取得或設定值,指出 產生的 XML 項目名稱是限定的還是非限定的。
+ 其中一個 值。預設為 XmlSchemaForm.None。
+
+
+ 取得或設定值,指出 是否必須將成員序列化為 xsi:nil 屬性設為 true 的空 XML 標記。
+ 如果 產生 xsi:nil 屬性,則為 true,否則為 false。
+
+
+ 取得或設定 XML 項目的命名空間。
+ XML 項目的命名空間。
+
+
+ 取得或設定項目序列化或還原序列化的明確順序。
+ 程式碼產生的順序。
+
+
+ 表示屬性,這個屬性會指定 可置於序列化陣列中的衍生型別。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,指定 XML 文件中產生的 XML 項目名稱。
+ XML 項目的名稱。
+
+
+ 初始化 類別的新執行個體,指定 XML 文件中產生的 XML 項目名稱,以及可插入所產生之 XML 文件的 。
+ XML 項目的名稱。
+ 要序列化的物件的 。
+
+
+ 初始化 類別的新執行個體,指定可插入序列化陣列的 。
+ 要序列化的物件的 。
+
+
+ 取得或設定產生的 XML 項目的 XML 資料型別。
+ XML 結構描述定義 (XSD) 資料型別,如全球資訊網協會 (www.w3.org ) 文件<XML Schema Part 2: DataTypes>中所定義。
+
+
+ 取得或設定產生的 XML 項目的名稱。
+ 產生的 XML 項目的名稱。預設值為成員識別項。
+
+
+ 取得或設定值,指出產生的 XML 項目名稱是否為限定的。
+ 其中一個 值。預設為 XmlSchemaForm.None。
+
+ 屬性設定為 XmlSchemaForm.Unqualified,並且指定 值。
+
+
+ 取得或設定值,指出 是否必須將成員序列化為 xsi:nil 屬性設為 true 的空 XML 標記。
+ 如果 產生 xsi:nil 屬性,則為 true,否則為 false,而且不會產生執行個體。預設為 true。
+
+
+ 取得或設定產生的 XML 項目之的命名空間。
+ 產生的 XML 項目的命名空間。
+
+
+ 取得或設定 影響的 XML 項目的階層架構中的層級。
+ 在陣列組成之陣列的一組索引中,以零起始的索引。
+
+
+ 取得或設定陣列中允許的型別。
+ 陣列中所允許的 。
+
+
+ 表示 物件的集合。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 將 加入集合中。
+ 加入項目的索引。
+ 要加入到集合中的 。
+
+
+ 將所有元素從 移除。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 判斷集合是否包含指定的 。
+ 如果集合包含指定的 ,則為 true,否則為 false。
+ 要檢查的 。
+
+
+ 從指定的目標索引,複製 陣列至集合。
+ 要複製至集合的 物件陣列。
+ 複製屬性開始處的索引。
+
+
+ 取得 中所包含的元素數。
+
+ 中所包含的項目數。
+
+
+ 傳回整個 的列舉程式。
+ 整個 的 。
+
+
+ 傳回集合中找到的第一個指定 之以零起始的索引,如果在集合中找不到屬性,則為 -1。
+ 集合中 的第一個索引,如果在集合中找不到屬性,則為 -1。
+ 要在集合中尋找的 。
+
+
+ 將 插入集合中指定之索引處。
+ 插入屬性的索引。
+ 要插入的 。
+
+
+ 取得或設定在指定索引處的項目。
+ 在指定索引處的 。
+ 要取得或設定以零起始的集合成員索引。
+
+
+ 如果存在 ,則從集合移除它。
+ 要移除的 。
+
+
+ 移除指定之索引處的 項目。
+ 要移除項目之以零啟始的索引。
+
+ 不是 中的有效索引。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 從目標陣列的指定索引開始,複製整個 至相容的一維 。
+ 一維 ,是從 複製過來之項目的目的端。 必須有以零起始的索引。
+
+
+ 取得值,這個值表示對 的存取是否同步 (安全執行緒)。
+ 如果對 的存取為同步 (安全執行緒),則為 true,否則為 false。
+
+
+
+ 將物件加入至 的結尾。
+ 已加入 的 索引。
+ 要加入至 結尾的 。此值可以是 null。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 判斷集合是否包含指定的 。
+ 如果集合包含指定的 ,則為 true,否則為 false。
+
+
+ 傳回集合中找到的第一個指定 之以零起始的索引,如果在集合中找不到屬性,則為 -1。
+ 集合中 的第一個索引,如果在集合中找不到屬性,則為 -1。
+
+
+ 將項目插入 中指定的索引處。
+ 應該插入 之以零起始的索引。
+ 要插入的 。此值可以是 null。
+
+ 小於零。-或- 大於 。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 取得值,指出 是否有固定的大小。
+ 如果 有固定大小,則為 true,否則為 false。
+
+
+ 取得值,指出 是否唯讀。
+ 如果 是唯讀的則為 true,否則為 false。
+
+
+ 取得或設定在指定索引處的項目。
+ 在指定索引處的 。
+ 要取得或設定以零起始的集合成員索引。
+
+
+ 從 移除特定物件的第一個相符項目。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 指定 必須將類別成員序列化為 XML 屬性。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,並指定產生的 XML 屬性的名稱。
+
+ 產生的 XML 屬性名稱。
+
+
+ 初始化 類別的新執行個體。
+ 產生的 XML 屬性名稱。
+
+ ,用於儲存屬性。
+
+
+ 初始化 類別的新執行個體。
+
+ ,用於儲存屬性。
+
+
+ 取得或設定 XML 屬性的名稱。
+ XML 屬性的名稱。預設為成員名稱。
+
+
+ 取得或設定由 產生之 XML 屬性的 XSD 資料型別。
+ XSD (XML 結構描述文件) 資料型別,如全球資訊網協會 (www.w3.org ) 文件<XML Schema: DataTypes>中所定義。
+
+
+ 取得或設定值,指出 產生的 XML 屬性名稱是否為限定的。
+ 其中一個 值。預設為 XmlForm.None。
+
+
+ 取得或設定 XML 屬性的 XML 命名空間。
+ XML 屬性的 XML 命名空間。
+
+
+ 取得或設定 XML 屬性的複雜型別。
+ XML 屬性的型別。
+
+
+ 當使用 來序列化或還原序列化物件時,允許您覆寫屬性 (Property)、欄位和類別屬性 (Attribute)。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 將 物件加入 物件的集合。 參數會指定要被覆寫的物件。 參數指定覆寫的成員名稱。
+ 要覆寫之物件的 。
+ 要覆寫的成員名稱。
+ 表示覆寫屬性的 物件。
+
+
+ 將 物件加入 物件的集合。 參數會指定要由 物件覆寫的物件。
+ 覆寫之物件的 。
+ 表示覆寫屬性的 物件。
+
+
+ 取得與指定的、基底類別、型別相關的物件
+ 表示覆寫屬性集合的 。
+ 基底類別 ,與要擷取的屬性集合相關聯。
+
+
+ 取得與指定的 (基底類別) 型別相關的物件。成員參數會指定已覆寫的基底類別成員。
+ 表示覆寫屬性集合的 。
+ 基底類別 ,與您想要的屬性集合相關聯。
+ 指定傳回 的覆寫成員名稱。
+
+
+ 表示用來控制 序列化與還原序列化物件方式的屬性 (Attribute) 物件集合。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 取得或設定要覆寫的 。
+ 要覆寫的 。
+
+
+ 取得要覆寫的 物件的集合。
+
+ 物件,表示 物件的集合。
+
+
+ 取得或設定物件,指定 如何序列化公用欄位或會傳回陣列的讀取/寫入屬性。
+
+ ,指定 如何序列化公用欄位或會傳回陣列的讀取/寫入屬性。
+
+
+ 取得或設定物件集合,指定 如何序列化項目 (用來插入至公用欄位或讀取/寫入屬性所傳回的陣列)。
+ 包含 物件集合的 物件。
+
+
+ 取得或設定物件,指定 如何將公用欄位或公用讀取/寫入屬性序列化為 XML 屬性。
+
+ ,控制將公用欄位或讀取/寫入屬性 (Property) 序列化為 XML 屬性 (Attribute)。
+
+
+ 取得或設定物件,讓您在一組選項間進行區別。
+
+ ,可以套用至序列化為 xsi:choice 項目的類別成員。
+
+
+ 取得或設定 XML 項目或屬性的預設值。
+
+ ,表示 XML 項目或屬性的預設值。
+
+
+ 取得物件的集合,指定 如何將公用欄位或讀取/寫入屬性序列化為 XML 項目。
+ 包含 物件集合的 。
+
+
+ 取得或設定物件,指定 如何序列化列舉型別 (Enumeration) 成員。
+
+ ,指定 如何序列化列舉型別成員。
+
+
+ 取得或設定數值,指定 是否要序列化公用欄位或公用讀取/寫入屬性。
+ 如果 必須不序列化欄位或屬性,則為 true,否則為 false。
+
+
+ 取得或設定數值,指定當物件包含傳回已覆寫 物件的成員時,是否要保留所有的命名空間宣告。
+ 如果應該保留命名空間宣告,則為 true,否則為 false。
+
+
+ 取得或設定物件,指定 如何將類別序列化為 XML (Root Element)。
+
+ ,覆寫類別屬性為 XML 根項目。
+
+
+ 取得或設定物件,指定 將公用欄位或公用讀取/寫入屬性序列化為 XML 文字。
+
+ ,覆寫公用屬性或欄位的預設序列化。
+
+
+ 取得或設定物件,指定 如何序列化套用 的類別。
+
+ ,會覆寫套用 至類別宣告 (Class Declaration)。
+
+
+ 指定可以使用列舉型別進一步偵測成員。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體。
+ 成員名稱,傳回用於偵測選擇的列舉型別。
+
+
+ 取得或設定欄位的名稱,該欄位傳回偵測型別時使用的列舉型別。
+ 傳回列舉型別之欄位的名稱。
+
+
+ 表示在 序列化或還原序列化包含 XML 項目的物件時,公用欄位或屬性表示該項目。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,並且指定 XML 項目的名稱。
+ 序列成員的 XML 項目名稱。
+
+
+ 初始化 的新執行個體,並針對套用 的成員指定 XML 項目名稱和衍生型別。這個成員型別用於 序列化包含它的物件時。
+ 序列成員的 XML 項目名稱。
+ 衍生自成員型別的物件 。
+
+
+ 初始化 類別的新執行個體,並針對套用 的成員指定型別。序列化或還原序列化包含這個型別的物件時, 會使用該型別。
+ 衍生自成員型別的物件 。
+
+
+ 取得或設定 所產生 XML 項目的 XML 結構描述定義 (XSD) 資料型別。
+ XML 結構描述資料型別,如全球資訊網協會 (www.w3.org ) 文件<XML Schema Part 2: Datatypes>所定義。
+ 您指定的 XML 結構描述資料型別無法對應至 .NET 資料型別。
+
+
+ 取得或設定產生的 XML 項目的名稱。
+ 產生的 XML 項目的名稱。預設值為成員識別項。
+
+
+ 取得或設定值,指出項目是否為限定的。
+ 其中一個 值。預設為 。
+
+
+ 取得或設定值,指出 是否必須將設為 null 的成員序列化為 xsi:nil 屬性設為 true 的空標記。
+ 如果 產生 xsi:nil 屬性,則為 true,否則為 false。
+
+
+ 取得或設定指派給類別序列化時所產生之 XML 項目的命名空間。
+ XML 項目的命名空間。
+
+
+ 取得或設定項目序列化或還原序列化的明確順序。
+ 程式碼產生的順序。
+
+
+ 取得或設定用來表示 XML 項目的物件類型。
+ 成員的 。
+
+
+ 代表 物件的集合,由 用於覆寫其序列化類別的預設方式。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 將 加入集合中。
+ 新加入項目之以零起始的索引。
+ 要相加的 。
+
+
+ 將所有元素從 移除。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 判斷集合是否包含指定的物件。
+ 如果集合中有該物件則為true,否則為 false。
+ 要尋找的 。
+
+
+ 複製 或其中一部分至一維陣列。
+ 要儲存所複製項目的 陣列。
+
+ 中以零起始的索引,是複製開始的位置。
+
+
+ 取得 中所包含的元素數。
+
+ 中所包含的項目數。
+
+
+ 傳回整個 的列舉程式。
+ 整個 的 。
+
+
+ 取得指定 的索引。
+
+ 的以零起始的索引。
+ 正在擷取其索引的 。
+
+
+ 將 插入集合。
+ 插入成員所在位置之以零起始的索引。
+ 要插入的 。
+
+
+ 取得或設定指定之索引處的項目。
+ 在指定之索引處的項目。
+ 要取得或設定之以零起始的項目索引。
+
+ 不是 中的有效索引。
+ 屬性已設定,而且 是唯讀的。
+
+
+ 從集合中移除指定的物件。
+ 要從集合中移除的 。
+
+
+ 移除指定之索引處的 項目。
+ 要移除項目之以零啟始的索引。
+
+ 不是 中的有效索引。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 從目標陣列的指定索引開始,複製整個 至相容的一維 。
+ 一維 ,是從 複製過來之項目的目的端。 必須有以零起始的索引。
+
+
+ 取得值,這個值表示對 的存取是否同步 (安全執行緒)。
+ 如果對 的存取為同步 (安全執行緒),則為 true,否則為 false。
+
+
+ 取得可用來同步存取 的物件。
+ 可用來同步存取 的物件。
+
+
+ 將物件加入至 的結尾。
+ 已加入 的 索引。
+ 要加入至 結尾的 。此值可以是 null。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 判斷 是否包含特定值。
+ 如果在 中找到 ,則為 true,否則為 false。
+ 要在 中尋找的物件。
+
+
+ 判斷 中特定項目的索引。
+ 如果可在清單中找到,則為 的索引,否則為 -1。
+ 要在 中尋找的物件。
+
+
+ 將項目插入 中指定的索引處。
+ 應該插入 之以零起始的索引。
+ 要插入的 。此值可以是 null。
+
+ 小於零。-或- 大於 。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 取得值,指出 是否有固定的大小。
+ 如果 有固定大小,則為 true,否則為 false。
+
+
+ 取得值,指出 是否唯讀。
+ 如果 是唯讀的則為 true,否則為 false。
+
+
+ 取得或設定指定之索引處的項目。
+ 在指定之索引處的項目。
+ 要取得或設定之以零起始的項目索引。
+
+ 不是 中的有效索引。
+ 屬性已設定,而且 是唯讀的。
+
+
+ 從 移除特定物件的第一個相符項目。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 控制 序列化列舉型別 (Enumeration) 成員的方式。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,並指定 分別在序列化或還原序列化列舉型別時所產生或識別的 XML 值。
+ 列舉型別成員的覆寫名稱。
+
+
+ 取得或設定當 序列化列舉型別時,在 XML 文件執行個體所產生的值,或是當它還原序列化列舉型別成員時所識別的值。
+ 當 序列化列舉型別時,在 XML 文件執行個體中所產生的值,或是當它還原序列化列舉型別成員時所識別的值。
+
+
+ 表示 的 方法不要序列化公用欄位或公用讀取/寫入屬性值。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 讓 在對物件進行序列化或還原序列化時,能夠辨識型別。
+
+
+ 初始化 類別的新執行個體。
+ 要包含的物件的 。
+
+
+ 取得或設定要包含的物件的型別。
+ 要包含的物件的 。
+
+
+ 指定目標屬性、參數、傳回值或類別成員,包含與 XML 文件內使用之命名空間相關聯的前置詞。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 控制做為 XML 根項目之屬性目標的 XML 序列化。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,並指定 XML 根項目的名稱。
+ XML 根項目的名稱。
+
+
+ 取得或設定 XML 根項目的 XSD 資料型別。
+ XSD (XML 結構描述文件) 資料型別,如全球資訊網協會 (www.w3.org ) 文件<XML Schema: DataTypes>中所定義。
+
+
+ 取得或設定分別由 類別的 和 方法所產生和辨識的 XML 項目。
+ 在 XML 文件執行個體中所產生或辨識的 XML 根項目名稱。預設值為序列類別的名稱。
+
+
+ 取得或設定值,指出 是否必須將設為 null 的成員序列化為設為 true 的 xsi:nil 屬性。
+ 如果 產生 xsi:nil 屬性,則為 true,否則為 false。
+
+
+ 取得或設定 XML 根項目的命名空間。
+ XML 根項目的命名空間。
+
+
+ 將物件序列化成為 XML 文件,以及從 XML 文件將物件還原序列化。 可讓您控制如何將物件編碼為 XML。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,該類別可將指定型別的物件序列化為 XML 文件,並可將 XML 文件還原序列化為指定型別的物件。
+ 這個 可序列化的物件型別。
+
+
+ 初始化 類別的新執行個體,該類別可將指定型別的物件序列化為 XML 文件,並可將 XML 文件還原序列化為指定型別的物件。指定所有 XML 項目的預設命名空間。
+ 這個 可序列化的物件型別。
+ 用於所有 XML 項目的預設命名空間。
+
+
+ 初始化 類別的新執行個體,該類別可將指定型別的物件序列化為 XML 文件,並可將 XML 文件還原序列化為指定型別的物件。如果屬性或欄位傳回陣列, 參數就會指定可插入陣列的物件。
+ 這個 可序列化的物件型別。
+ 要序列化之其他物件型別的 陣列。
+
+
+ 初始化 類別的新執行個體,該類別可將指定型別的物件序列化為 XML 文件,並可將 XML 文件還原序列化為指定型別的物件。每個要序列化的物件本身會包含類別執行個體,這個多載可以其他類別覆寫。
+ 要序列化的物件型別。
+
+ 。
+
+
+ 初始化 類別的新執行個體,該類別可將 型別的物件序列化為 XML 文件執行個體,並可將 XML 文件執行個體還原序列化為 型別的物件。每個要序列化的物件本身都可包含類別的執行個體,這個多載會使用其他類別對其進行覆寫。這個多載也會指定所有 XML 項目的預設命名空間,以及要做為 XML 根項目的類別。
+ 這個 可序列化的物件型別。
+
+ ,延伸或覆寫指定在 參數中類別的行為。
+ 要序列化之其他物件型別的 陣列。
+ 定義 XML 根項目屬性的 。
+ XML 文件中所有 XML 項目的預設命名空間。
+
+
+ 初始化 類別的新執行個體,該類別可將指定型別的物件序列化為 XML 文件,並可將 XML 文件還原序列化為指定型別的物件。它還指定做為 XML 根項目的類別。
+ 這個 可序列化的物件型別。
+ 表示 XML 根項目的 。
+
+
+ 取得值,指出這個 是否可以還原序列化指定的 XML 文件。
+ 如果這個 可以還原序列化 所指向的物件,則為 true,否則為 false。
+
+ ,指向要還原序列化的文件。
+
+
+ 還原序列化指定 所包含的 XML 文件。
+ 要進行還原序列化的 。
+
+ ,包含要還原序列化的 XML 文件。
+
+
+ 還原序列化指定 所包含的 XML 文件。
+ 要進行還原序列化的 。
+
+ ,包含要還原序列化的 XML 文件。
+ 在還原序列化期間發生錯誤。可以使用 屬性取得原始例外狀況。
+
+
+ 還原序列化指定 所包含的 XML 文件。
+ 要進行還原序列化的 。
+
+ ,包含要還原序列化的 XML 文件。
+ 在還原序列化期間發生錯誤。可以使用 屬性取得原始例外狀況。
+
+
+ 傳回由型別陣列建立的 物件的陣列。
+
+ 物件的陣列。
+
+ 物件的陣列。
+
+
+ 序列化指定的 ,並使用指定的 將 XML 文件寫入檔案。
+ 用來寫入 XML 文件的 。
+ 要序列化的 。
+ 在序列化期間發生錯誤。可以使用 屬性取得原始例外狀況。
+
+
+ 序列化指定的 ,使用指定的 將 XML 文件寫入檔案,並參考指定的命名空間。
+ 用來寫入 XML 文件的 。
+ 要序列化的 。
+ 物件所參考的 。
+ 在序列化期間發生錯誤。可以使用 屬性取得原始例外狀況。
+
+
+ 序列化指定的 ,並使用指定的 將 XML 文件寫入檔案。
+ 用來寫入 XML 文件的 。
+ 要序列化的 。
+
+
+ 將指定的 序列化,使用指定的 將 XML 文件寫入檔案,並參考指定的命名空間。
+ 用來寫入 XML 文件的 。
+ 要序列化的 。
+
+ ,包含產生之 XML 文件的命名空間。
+ 在序列化期間發生錯誤。可以使用 屬性取得原始例外狀況。
+
+
+ 序列化指定的 ,並使用指定的 將 XML 文件寫入檔案。
+ 用來寫入 XML 文件的 。
+ 要序列化的 。
+ 在序列化期間發生錯誤。可以使用 屬性取得原始例外狀況。
+
+
+ 序列化指定的 ,使用指定的 將 XML 文件寫入檔案,並參考指定的命名空間。
+ 用來寫入 XML 文件的 。
+ 要序列化的 。
+ 物件所參考的 。
+ 在序列化期間發生錯誤。可以使用 屬性取得原始例外狀況。
+
+
+ 將 XML 命名空間 (Namespace) 和 用來產生限定名稱的前置詞包含在 XML 文件執行個體中。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 使用包含前置詞和命名空間配對集合之 的指定執行個體,初始化 XmlSerializerNamespaces 類別的新執行個體。
+
+ 的執行個體,包含命名空間和前置詞配對。
+
+
+ 初始化 類別的新執行個體。
+
+ 物件的陣列。
+
+
+ 將前置詞和命名空間配對加入 物件。
+ 與 XML 命名空間相關的前置詞。
+ XML 命名空間。
+
+
+ 取得集合中前置詞和命名空間配對的數目。
+ 集合中前置詞和命名空間配對數目。
+
+
+ 取得 物件中前置詞和命名空間配對的陣列。
+
+ 物件的陣列,在 XML 文件中用作限定名稱。
+
+
+ 表示 在序列化或還原序列化包含它的類別之後,應該將成員視為 XML 文字。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體。
+ 要序列化之成員的 。
+
+
+ 取得或設定 所產生之文字的XML 結構描述定義語言 (XSD) 資料型別。
+ XML 結構描述 (XSD) 資料型別,如全球資訊網協會 (www.w3.org ) 文件<XML Schema Part 2: Datatypes>中所定義。
+ 您指定的 XML 結構描述資料型別無法對應至 .NET 資料型別。
+ 您指定的 XML 結構描述資料型別對於該屬性無效,且無法轉換為成員型別。
+
+
+ 取得或設定成員的型別。
+ 成員的 。
+
+
+ 控制由 序列化屬性 (Attribute) 目標後所產生的 XML 結構描述。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,並指定 XML 型別的名稱。
+ XML 型別的名稱,是 序列化類別執行個體時所產生的 (並且對類別執行個體進行還原序列化時所辨識的)。
+
+
+ 取得或設定值,判斷產生的結構描述型別是否為 XSD 匿名型別。
+ 如果產生的結構描述型別是 XSD 匿名型別則為 true,否則為 false。
+
+
+ 取得或設定值,指出是否將型別包含在 XML 結構描述文件中。
+ 若要將型別包含於 XML 結構描述文件中,則為 true,否則為 false。
+
+
+ 取得或設定 XML 型別的命名空間。
+ XML 型別的命名空間。
+
+
+ 取得或設定 XML 型別的名稱。
+ XML 型別的名稱。
+
+
+
\ No newline at end of file
diff --git a/ModernKeePassLib/bin/Debug/System.Xml.XmlSerializer.dll b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/System.Xml.XmlSerializer.dll
similarity index 100%
rename from ModernKeePassLib/bin/Debug/System.Xml.XmlSerializer.dll
rename to packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/System.Xml.XmlSerializer.dll
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..bc82b1d
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/System.Xml.XmlSerializer.xml
@@ -0,0 +1,880 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ Specifies that the member (a field that returns an array of objects) can contain any XML attributes.
+
+
+ Constructs a new instance of the class.
+
+
+ Specifies that the member (a field that returns an array of or objects) contains objects that represent any XML element that has no corresponding member in the object being serialized or deserialized.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class and specifies the XML element name generated in the XML document.
+ The name of the XML element that the generates.
+
+
+ Initializes a new instance of the class and specifies the XML element name generated in the XML document and its XML namespace.
+ The name of the XML element that the generates.
+ The XML namespace of the XML element.
+
+
+ Gets or sets the XML element name.
+ The name of the XML element.
+ The element name of an array member does not match the element name specified by the property.
+
+
+ Gets or sets the XML namespace generated in the XML document.
+ An XML namespace.
+
+
+ Gets or sets the explicit order in which the elements are serialized or deserialized.
+ The order of the code generation.
+
+
+ Represents a collection of objects.
+
+
+ Initializes a new instance of the class.
+
+
+ Adds an to the collection.
+ The index of the newly added .
+ The to add.
+
+
+ Removes all objects from the . This method cannot be overridden.
+
+
+ Gets a value that indicates whether the specified exists in the collection.
+ true if the exists in the collection; otherwise, false.
+ The you are interested in.
+
+
+ Copies the entire collection to a compatible one-dimensional array of objects, starting at the specified index of the target array.
+ The one-dimensional array of objects that is the destination of the elements copied from the collection. The array must have zero-based indexing.
+ The zero-based index in at which copying begins.
+
+
+ Gets the number of elements contained in the instance.
+ The number of elements contained in the instance.
+
+
+ Returns an enumerator that iterates through the .
+ An enumerator that iterates through the .
+
+
+ Gets the index of the specified .
+ The index of the specified .
+ The whose index you want.
+
+
+ Inserts an into the collection at the specified index.
+ The index where the is inserted.
+ The to insert.
+
+
+ Gets or sets the at the specified index.
+ An at the specified index.
+ The index of the .
+
+
+ Removes the specified from the collection.
+ The to remove.
+
+
+ Removes the element at the specified index of the . This method cannot be overridden.
+ The index of the element to be removed.
+
+
+ Copies the entire collection to a compatible one-dimensional array of objects, starting at the specified index of the target array.
+ The one-dimensional array.
+ The specified index.
+
+
+ Gets a value indicating whether access to the is synchronized (thread safe).
+ True if the access to the is synchronized; otherwise, false.
+
+
+ Gets an object that can be used to synchronize access to the .
+ An object that can be used to synchronize access to the .
+
+
+ Adds an object to the end of the .
+ The added object to the collection.
+ The value of the object to be added to the collection.
+
+
+ Determines whether the contains a specific element.
+ True if the contains a specific element; otherwise, false.
+ The value of the element.
+
+
+ Searches for the specified Object and returns the zero-based index of the first occurrence within the entire .
+ The zero-based index of the object.
+ The value of the object.
+
+
+ Inserts an element into the at the specified index.
+ The index where the element will be inserted.
+ The value of the element.
+
+
+ Gets a value indicating whether the a fixed size.
+ True if the a fixed size; otherwise, false.
+
+
+ Gets a value indicating whether the is read-only.
+ True if the is read-only; otherwise, false.
+
+
+ Gets or sets the element at the specified index.
+ The element at the specified index.
+ The index of the element.
+
+
+ Removes the first occurrence of a specific object from the .
+ The value of the removed object.
+
+
+ Specifies that the must serialize a particular class member as an array of XML elements.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class and specifies the XML element name generated in the XML document instance.
+ The name of the XML element that the generates.
+
+
+ Gets or sets the XML element name given to the serialized array.
+ The XML element name of the serialized array. The default is the name of the member to which the is assigned.
+
+
+ Gets or sets a value that indicates whether the XML element name generated by the is qualified or unqualified.
+ One of the values. The default is XmlSchemaForm.None.
+
+
+ Gets or sets a value that indicates whether the must serialize a member as an empty XML tag with the xsi:nil attribute set to true.
+ true if the generates the xsi:nil attribute; otherwise, false.
+
+
+ Gets or sets the namespace of the XML element.
+ The namespace of the XML element.
+
+
+ Gets or sets the explicit order in which the elements are serialized or deserialized.
+ The order of the code generation.
+
+
+ Represents an attribute that specifies the derived types that the can place in a serialized array.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class and specifies the name of the XML element generated in the XML document.
+ The name of the XML element.
+
+
+ Initializes a new instance of the class and specifies the name of the XML element generated in the XML document and the that can be inserted into the generated XML document.
+ The name of the XML element.
+ The of the object to serialize.
+
+
+ Initializes a new instance of the class and specifies the that can be inserted into the serialized array.
+ The of the object to serialize.
+
+
+ Gets or sets the XML data type of the generated XML element.
+ An XML schema definition (XSD) data type, as defined by the World Wide Web Consortium (www.w3.org) document "XML Schema Part 2: DataTypes".
+
+
+ Gets or sets the name of the generated XML element.
+ The name of the generated XML element. The default is the member identifier.
+
+
+ Gets or sets a value that indicates whether the name of the generated XML element is qualified.
+ One of the values. The default is XmlSchemaForm.None.
+ The property is set to XmlSchemaForm.Unqualified and a value is specified.
+
+
+ Gets or sets a value that indicates whether the must serialize a member as an empty XML tag with the xsi:nil attribute set to true.
+ true if the generates the xsi:nil attribute; otherwise, false, and no instance is generated. The default is true.
+
+
+ Gets or sets the namespace of the generated XML element.
+ The namespace of the generated XML element.
+
+
+ Gets or sets the level in a hierarchy of XML elements that the affects.
+ The zero-based index of a set of indexes in an array of arrays.
+
+
+ Gets or sets the type allowed in an array.
+ A that is allowed in the array.
+
+
+ Represents a collection of objects.
+
+
+ Initializes a new instance of the class.
+
+
+ Adds an to the collection.
+ The index of the added item.
+ The to add to the collection.
+
+
+ Removes all elements from the .
+ The is read-only.-or- The has a fixed size.
+
+
+ Determines whether the collection contains the specified .
+ true if the collection contains the specified ; otherwise, false.
+ The to check for.
+
+
+ Copies an array to the collection, starting at a specified target index.
+ The array of objects to copy to the collection.
+ The index at which the copied attributes begin.
+
+
+ Gets the number of elements contained in the .
+ The number of elements contained in the .
+
+
+ Returns an enumerator for the entire .
+ An for the entire .
+
+
+ Returns the zero-based index of the first occurrence of the specified in the collection or -1 if the attribute is not found in the collection.
+ The first index of the in the collection or -1 if the attribute is not found in the collection.
+ The to locate in the collection.
+
+
+ Inserts an into the collection at the specified index.
+ The index at which the attribute is inserted.
+ The to insert.
+
+
+ Gets or sets the item at the specified index.
+ The at the specified index.
+ The zero-based index of the collection member to get or set.
+
+
+ Removes an from the collection, if it is present.
+ The to remove.
+
+
+ Removes the item at the specified index.
+ The zero-based index of the item to remove.
+
+ is not a valid index in the .
+ The is read-only.-or- The has a fixed size.
+
+
+ Copies the entire to a compatible one-dimensional , starting at the specified index of the target array.
+ The one-dimensional that is the destination of the elements copied from . The must have zero-based indexing.
+
+
+ Gets a value indicating whether access to the is synchronized (thread safe).
+ true if access to the is synchronized (thread safe); otherwise, false.
+
+
+
+ Adds an object to the end of the .
+ The index at which the has been added.
+ The to be added to the end of the . The value can be null.
+ The is read-only.-or- The has a fixed size.
+
+
+ Determines whether the collection contains the specified .
+ true if the collection contains the specified ; otherwise, false.
+
+
+ Returns the zero-based index of the first occurrence of the specified in the collection or -1 if the attribute is not found in the collection.
+ The first index of the in the collection or -1 if the attribute is not found in the collection.
+
+
+ Inserts an element into the at the specified index.
+ The zero-based index at which should be inserted.
+ The to insert. The value can be null.
+
+ is less than zero.-or- is greater than .
+ The is read-only.-or- The has a fixed size.
+
+
+ Gets a value indicating whether the has a fixed size.
+ true if the has a fixed size; otherwise, false.
+
+
+ Gets a value indicating whether the is read-only.
+ true if the is read-only; otherwise, false.
+
+
+ Gets or sets the item at the specified index.
+ The at the specified index.
+ The zero-based index of the collection member to get or set.
+
+
+ Removes the first occurrence of a specific object from the .
+ The is read-only.-or- The has a fixed size.
+
+
+ Specifies that the must serialize the class member as an XML attribute.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class and specifies the name of the generated XML attribute.
+ The name of the XML attribute that the generates.
+
+
+ Initializes a new instance of the class.
+ The name of the XML attribute that is generated.
+ The used to store the attribute.
+
+
+ Initializes a new instance of the class.
+ The used to store the attribute.
+
+
+ Gets or sets the name of the XML attribute.
+ The name of the XML attribute. The default is the member name.
+
+
+ Gets or sets the XSD data type of the XML attribute generated by the .
+ An XSD (XML Schema Document) data type, as defined by the World Wide Web Consortium (www.w3.org) document named "XML Schema: DataTypes".
+
+
+ Gets or sets a value that indicates whether the XML attribute name generated by the is qualified.
+ One of the values. The default is XmlForm.None.
+
+
+ Gets or sets the XML namespace of the XML attribute.
+ The XML namespace of the XML attribute.
+
+
+ Gets or sets the complex type of the XML attribute.
+ The type of the XML attribute.
+
+
+ Allows you to override property, field, and class attributes when you use the to serialize or deserialize an object.
+
+
+ Initializes a new instance of the class.
+
+
+ Adds an object to the collection of objects. The parameter specifies an object to be overridden. The parameter specifies the name of a member that is overridden.
+ The of the object to override.
+ The name of the member to override.
+ An object that represents the overriding attributes.
+
+
+ Adds an object to the collection of objects. The parameter specifies an object to be overridden by the object.
+ The of the object that is overridden.
+ An object that represents the overriding attributes.
+
+
+ Gets the object associated with the specified, base-class, type.
+ An that represents the collection of overriding attributes.
+ The base class that is associated with the collection of attributes you want to retrieve.
+
+
+ Gets the object associated with the specified (base-class) type. The member parameter specifies the base-class member that is overridden.
+ An that represents the collection of overriding attributes.
+ The base class that is associated with the collection of attributes you want.
+ The name of the overridden member that specifies the to return.
+
+
+ Represents a collection of attribute objects that control how the serializes and deserializes an object.
+
+
+ Initializes a new instance of the class.
+
+
+ Gets or sets the to override.
+ The to override.
+
+
+ Gets the collection of objects to override.
+ An object that represents the collection of objects.
+
+
+ Gets or sets an object that specifies how the serializes a public field or read/write property that returns an array.
+ An that specifies how the serializes a public field or read/write property that returns an array.
+
+
+ Gets or sets a collection of objects that specify how the serializes items inserted into an array returned by a public field or read/write property.
+ An object that contains a collection of objects.
+
+
+ Gets or sets an object that specifies how the serializes a public field or public read/write property as an XML attribute.
+ An that controls the serialization of a public field or read/write property as an XML attribute.
+
+
+ Gets or sets an object that allows you to distinguish between a set of choices.
+ An that can be applied to a class member that is serialized as an xsi:choice element.
+
+
+ Gets or sets the default value of an XML element or attribute.
+ An that represents the default value of an XML element or attribute.
+
+
+ Gets a collection of objects that specify how the serializes a public field or read/write property as an XML element.
+ An that contains a collection of objects.
+
+
+ Gets or sets an object that specifies how the serializes an enumeration member.
+ An that specifies how the serializes an enumeration member.
+
+
+ Gets or sets a value that specifies whether or not the serializes a public field or public read/write property.
+ true if the must not serialize the field or property; otherwise, false.
+
+
+ Gets or sets a value that specifies whether to keep all namespace declarations when an object containing a member that returns an object is overridden.
+ true if the namespace declarations should be kept; otherwise, false.
+
+
+ Gets or sets an object that specifies how the serializes a class as an XML root element.
+ An that overrides a class attributed as an XML root element.
+
+
+ Gets or sets an object that instructs the to serialize a public field or public read/write property as XML text.
+ An that overrides the default serialization of a public property or field.
+
+
+ Gets or sets an object that specifies how the serializes a class to which the has been applied.
+ An that overrides an applied to a class declaration.
+
+
+ Specifies that the member can be further detected by using an enumeration.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class.
+ The member name that returns the enumeration used to detect a choice.
+
+
+ Gets or sets the name of the field that returns the enumeration to use when detecting types.
+ The name of a field that returns an enumeration.
+
+
+ Indicates that a public field or property represents an XML element when the serializes or deserializes the object that contains it.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class and specifies the name of the XML element.
+ The XML element name of the serialized member.
+
+
+ Initializes a new instance of the and specifies the name of the XML element and a derived type for the member to which the is applied. This member type is used when the serializes the object that contains it.
+ The XML element name of the serialized member.
+ The of an object derived from the member's type.
+
+
+ Initializes a new instance of the class and specifies a type for the member to which the is applied. This type is used by the when serializing or deserializing object that contains it.
+ The of an object derived from the member's type.
+
+
+ Gets or sets the XML Schema definition (XSD) data type of the XML element generated by the .
+ An XML Schema data type, as defined by the World Wide Web Consortium (www.w3.org) document named "XML Schema Part 2: Datatypes".
+ The XML Schema data type you have specified cannot be mapped to the.NET data type.
+
+
+ Gets or sets the name of the generated XML element.
+ The name of the generated XML element. The default is the member identifier.
+
+
+ Gets or sets a value that indicates whether the element is qualified.
+ One of the values. The default is .
+
+
+ Gets or sets a value that indicates whether the must serialize a member that is set to null as an empty tag with the xsi:nil attribute set to true.
+ true if the generates the xsi:nil attribute; otherwise, false.
+
+
+ Gets or sets the namespace assigned to the XML element that results when the class is serialized.
+ The namespace of the XML element.
+
+
+ Gets or sets the explicit order in which the elements are serialized or deserialized.
+ The order of the code generation.
+
+
+ Gets or sets the object type used to represent the XML element.
+ The of the member.
+
+
+ Represents a collection of objects used by the to override the default way it serializes a class.
+
+
+ Initializes a new instance of the class.
+
+
+ Adds an to the collection.
+ The zero-based index of the newly added item.
+ The to add.
+
+
+ Removes all elements from the .
+ The is read-only.-or- The has a fixed size.
+
+
+ Determines whether the collection contains the specified object.
+ true if the object exists in the collection; otherwise, false.
+ The to look for.
+
+
+ Copies the , or a portion of it to a one-dimensional array.
+ The array to hold the copied elements.
+ The zero-based index in at which copying begins.
+
+
+ Gets the number of elements contained in the .
+ The number of elements contained in the .
+
+
+ Returns an enumerator for the entire .
+ An for the entire .
+
+
+ Gets the index of the specified .
+ The zero-based index of the .
+ The whose index is being retrieved.
+
+
+ Inserts an into the collection.
+ The zero-based index where the member is inserted.
+ The to insert.
+
+
+ Gets or sets the element at the specified index.
+ The element at the specified index.
+ The zero-based index of the element to get or set.
+
+ is not a valid index in the .
+ The property is set and the is read-only.
+
+
+ Removes the specified object from the collection.
+ The to remove from the collection.
+
+
+ Removes the item at the specified index.
+ The zero-based index of the item to remove.
+
+ is not a valid index in the .
+ The is read-only.-or- The has a fixed size.
+
+
+ Copies the entire to a compatible one-dimensional , starting at the specified index of the target array.
+ The one-dimensional that is the destination of the elements copied from . The must have zero-based indexing.
+
+
+ Gets a value indicating whether access to the is synchronized (thread safe).
+ true if access to the is synchronized (thread safe); otherwise, false.
+
+
+ Gets an object that can be used to synchronize access to the .
+ An object that can be used to synchronize access to the .
+
+
+ Adds an object to the end of the .
+ The index at which the has been added.
+ The to be added to the end of the . The value can be null.
+ The is read-only.-or- The has a fixed size.
+
+
+ Determines whether the contains a specific value.
+ true if the is found in the ; otherwise, false.
+ The object to locate in the .
+
+
+ Determines the index of a specific item in the .
+ The index of if found in the list; otherwise, -1.
+ The object to locate in the .
+
+
+ Inserts an element into the at the specified index.
+ The zero-based index at which should be inserted.
+ The to insert. The value can be null.
+
+ is less than zero.-or- is greater than .
+ The is read-only.-or- The has a fixed size.
+
+
+ Gets a value indicating whether the has a fixed size.
+ true if the has a fixed size; otherwise, false.
+
+
+ Gets a value indicating whether the is read-only.
+ true if the is read-only; otherwise, false.
+
+
+ Gets or sets the element at the specified index.
+ The element at the specified index.
+ The zero-based index of the element to get or set.
+
+ is not a valid index in the .
+ The property is set and the is read-only.
+
+
+ Removes the first occurrence of a specific object from the .
+ The is read-only.-or- The has a fixed size.
+
+
+ Controls how the serializes an enumeration member.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class, and specifies the XML value that the generates or recognizes (when it serializes or deserializes the enumeration, respectively).
+ The overriding name of the enumeration member.
+
+
+ Gets or sets the value generated in an XML-document instance when the serializes an enumeration, or the value recognized when it deserializes the enumeration member.
+ The value generated in an XML-document instance when the serializes the enumeration, or the value recognized when it is deserializes the enumeration member.
+
+
+ Instructs the method of the not to serialize the public field or public read/write property value.
+
+
+ Initializes a new instance of the class.
+
+
+ Allows the to recognize a type when it serializes or deserializes an object.
+
+
+ Initializes a new instance of the class.
+ The of the object to include.
+
+
+ Gets or sets the type of the object to include.
+ The of the object to include.
+
+
+ Specifies that the target property, parameter, return value, or class member contains prefixes associated with namespaces that are used within an XML document.
+
+
+ Initializes a new instance of the class.
+
+
+ Controls XML serialization of the attribute target as an XML root element.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class and specifies the name of the XML root element.
+ The name of the XML root element.
+
+
+ Gets or sets the XSD data type of the XML root element.
+ An XSD (XML Schema Document) data type, as defined by the World Wide Web Consortium (www.w3.org) document named "XML Schema: DataTypes".
+
+
+ Gets or sets the name of the XML element that is generated and recognized by the class's and methods, respectively.
+ The name of the XML root element that is generated and recognized in an XML-document instance. The default is the name of the serialized class.
+
+
+ Gets or sets a value that indicates whether the must serialize a member that is set to null into the xsi:nil attribute set to true.
+ true if the generates the xsi:nil attribute; otherwise, false.
+
+
+ Gets or sets the namespace for the XML root element.
+ The namespace for the XML element.
+
+
+ Serializes and deserializes objects into and from XML documents. The enables you to control how objects are encoded into XML.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class that can serialize objects of the specified type into XML documents, and deserialize XML documents into objects of the specified type.
+ The type of the object that this can serialize.
+
+
+ Initializes a new instance of the class that can serialize objects of the specified type into XML documents, and deserialize XML documents into objects of the specified type. Specifies the default namespace for all the XML elements.
+ The type of the object that this can serialize.
+ The default namespace to use for all the XML elements.
+
+
+ Initializes a new instance of the class that can serialize objects of the specified type into XML documents, and deserialize XML documents into object of a specified type. If a property or field returns an array, the parameter specifies objects that can be inserted into the array.
+ The type of the object that this can serialize.
+ A array of additional object types to serialize.
+
+
+ Initializes a new instance of the class that can serialize objects of the specified type into XML documents, and deserialize XML documents into objects of the specified type. Each object to be serialized can itself contain instances of classes, which this overload can override with other classes.
+ The type of the object to serialize.
+ An .
+
+
+ Initializes a new instance of the class that can serialize objects of type into XML document instances, and deserialize XML document instances into objects of type . Each object to be serialized can itself contain instances of classes, which this overload overrides with other classes. This overload also specifies the default namespace for all the XML elements and the class to use as the XML root element.
+ The type of the object that this can serialize.
+ An that extends or overrides the behavior of the class specified in the parameter.
+ A array of additional object types to serialize.
+ An that defines the XML root element properties.
+ The default namespace of all XML elements in the XML document.
+
+
+ Initializes a new instance of the class that can serialize objects of the specified type into XML documents, and deserialize an XML document into object of the specified type. It also specifies the class to use as the XML root element.
+ The type of the object that this can serialize.
+ An that represents the XML root element.
+
+
+ Gets a value that indicates whether this can deserialize a specified XML document.
+ true if this can deserialize the object that the points to; otherwise, false.
+ An that points to the document to deserialize.
+
+
+ Deserializes the XML document contained by the specified .
+ The being deserialized.
+ The that contains the XML document to deserialize.
+
+
+ Deserializes the XML document contained by the specified .
+ The being deserialized.
+ The that contains the XML document to deserialize.
+ An error occurred during deserialization. The original exception is available using the property.
+
+
+ Deserializes the XML document contained by the specified .
+ The being deserialized.
+ The that contains the XML document to deserialize.
+ An error occurred during deserialization. The original exception is available using the property.
+
+
+ Returns an array of objects created from an array of types.
+ An array of objects.
+ An array of objects.
+
+
+ Serializes the specified and writes the XML document to a file using the specified .
+ The used to write the XML document.
+ The to serialize.
+ An error occurred during serialization. The original exception is available using the property.
+
+
+ Serializes the specified and writes the XML document to a file using the specified that references the specified namespaces.
+ The used to write the XML document.
+ The to serialize.
+ The referenced by the object.
+ An error occurred during serialization. The original exception is available using the property.
+
+
+ Serializes the specified and writes the XML document to a file using the specified .
+ The used to write the XML document.
+ The to serialize.
+
+
+ Serializes the specified and writes the XML document to a file using the specified and references the specified namespaces.
+ The used to write the XML document.
+ The to serialize.
+ The that contains namespaces for the generated XML document.
+ An error occurred during serialization. The original exception is available using the property.
+
+
+ Serializes the specified and writes the XML document to a file using the specified .
+ The used to write the XML document.
+ The to serialize.
+ An error occurred during serialization. The original exception is available using the property.
+
+
+ Serializes the specified and writes the XML document to a file using the specified and references the specified namespaces.
+ The used to write the XML document.
+ The to serialize.
+ The referenced by the object.
+ An error occurred during serialization. The original exception is available using the property.
+
+
+ Contains the XML namespaces and prefixes that the uses to generate qualified names in an XML-document instance.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class, using the specified instance of XmlSerializerNamespaces containing the collection of prefix and namespace pairs.
+ An instance of the containing the namespace and prefix pairs.
+
+
+ Initializes a new instance of the class.
+ An array of objects.
+
+
+ Adds a prefix and namespace pair to an object.
+ The prefix associated with an XML namespace.
+ An XML namespace.
+
+
+ Gets the number of prefix and namespace pairs in the collection.
+ The number of prefix and namespace pairs in the collection.
+
+
+ Gets the array of prefix and namespace pairs in an object.
+ An array of objects that are used as qualified names in an XML document.
+
+
+ Indicates to the that the member must be treated as XML text when the class that contains it is serialized or deserialized.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class.
+ The of the member to be serialized.
+
+
+ Gets or sets the XML Schema definition language (XSD) data type of the text generated by the .
+ An XML Schema (XSD) data type, as defined by the World Wide Web Consortium (www.w3.org) document "XML Schema Part 2: Datatypes".
+ The XML Schema data type you have specified cannot be mapped to the .NET data type.
+ The XML Schema data type you have specified is invalid for the property and cannot be converted to the member type.
+
+
+ Gets or sets the type of the member.
+ The of the member.
+
+
+ Controls the XML schema that is generated when the attribute target is serialized by the .
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class and specifies the name of the XML type.
+ The name of the XML type that the generates when it serializes the class instance (and recognizes when it deserializes the class instance).
+
+
+ Gets or sets a value that determines whether the resulting schema type is an XSD anonymous type.
+ true, if the resulting schema type is an XSD anonymous type; otherwise, false.
+
+
+ Gets or sets a value that indicates whether to include the type in XML schema documents.
+ true to include the type in XML schema documents; otherwise, false.
+
+
+ Gets or sets the namespace of the XML type.
+ The namespace of the XML type.
+
+
+ Gets or sets the name of the XML type.
+ The name of the XML type.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/de/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/de/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..842796f
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/de/System.Xml.XmlSerializer.xml
@@ -0,0 +1,890 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ Gibt an, dass der Member (ein Feld, das ein Array von -Objekten zurückgibt) XML-Attribute enthalten kann.
+
+
+ Erstellt eine neue Instanz der -Klasse.
+
+
+ Gibt an, dass der Member (ein Feld, das ein Array von -Objekten oder -Objekten zurückgibt) Objekte enthält, die XML-Elemente darstellen, die keine entsprechenden Member in dem zu serialisierenden oder zu deserialisierenden Objekt aufweisen.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den im XML-Dokument generierten XML-Elementnamen an.
+ Der Name des von generierten XML-Elements.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den im XML-Dokument und dessen XML-Namespace generierten XML-Elementnamen an.
+ Der Name des von generierten XML-Elements.
+ Der XML-Namespace des XML-Elements.
+
+
+ Ruft den XML-Elementnamen ab oder legt diesen fest.
+ Der Name des XML-Elements.
+ Der Elementname eines Arraymembers stimmt nicht mit dem Elementnamen überein, der durch die -Eigenschaft angegeben wird.
+
+
+ Ruft den im XML-Dokument generierten XML-Namespace ab oder legt diesen fest.
+ Ein XML-Namespace.
+
+
+ Ruft die explizite Reihenfolge ab, in der die Elemente serialisiert oder deserialisiert werden, oder legt diese fest.
+ Die Reihenfolge der Codegenerierung.
+
+
+ Stellt eine Auflistung von -Objekten dar.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Fügt der Auflistung ein hinzu.
+ Der Index des neu hinzugefügten .
+ Die zu addierende .
+
+
+ Entfernt alle Objekte aus dem .Diese Methode kann nicht überschrieben werden.
+
+
+ Ruft einen Wert ab, der angibt, ob das angegebene in der Auflistung vorhanden ist.
+ true, wenn das in der Auflistung enthalten ist, andernfalls false.
+ Das gesuchte .
+
+
+ Kopiert die gesamte Auflistung in ein kompatibles eindimensionales Array von -Objekten, beginnend ab dem angegebenen Index im Zielarray.
+ Das eindimensionale Array von -Objekten, in das die Elemente aus der Auflistung kopiert werden.Für das Array muss eine nullbasierte Indizierung verwendet werden.
+ Der nullbasierte Index im , bei dem der Kopiervorgang beginnt.
+
+
+ Ruft die Anzahl der in der -Instanz enthaltenen Elemente ab.
+ Die Anzahl der in der -Instanz enthaltenen Elemente.
+
+
+ Gibt einen Enumerator zurück, der die durchläuft.
+ Ein Enumerator, der das durchläuft.
+
+
+ Ruft den Index der angegebenen ab.
+ Der Index des angegebenen .
+ Das , dessen Index gesucht wird.
+
+
+ Fügt einen am angegebenen Index in die Auflistung ein.
+ Der Index, an dem eingefügt wird.
+ Die einzufügende .
+
+
+ Ruft den am angegebenen Index ab oder legt diesen fest.
+ Ein am angegebenen Index.
+ Der Index des .
+
+
+ Entfernt das angegebene aus der Auflistung.
+ Das zu entfernende .
+
+
+ Entfernt das Element am angegebenen Index aus der .Diese Methode kann nicht überschrieben werden.
+ Der Index des zu entfernenden Elements.
+
+
+ Kopiert die gesamte Auflistung in ein kompatibles eindimensionales Array von -Objekten, beginnend ab dem angegebenen Index im Zielarray.
+ Das eindimensionale Array.
+ Der angegebene Index.
+
+
+ Ruft einen Wert ab, der angibt, ob der Zugriff auf synchronisiert (threadsicher) ist.
+ True, wenn der Zugriff auf die synchronisiert ist; sonst, false.
+
+
+ Ruft ein Objekt ab, mit dem der Zugriff auf synchronisiert werden kann.
+ Ein Objekt, mit dem der Zugriff auf die synchronisiert werden kann.
+
+
+ Fügt am Ende der ein Objekt hinzu.
+ Das hinzugefügte Objekt der Auflistung.
+ Der Wert des Objekts, das der Auflistung hinzugefügt werden soll.
+
+
+ Ermittelt, ob ein bestimmtes Element enthält.
+ True, wenn der ein spezifisches Element enthält; sonst false.
+ Der Wert des Elements.
+
+
+ Sucht das angegebene Objekt und gibt einen null-basierten Index des ersten Auftretens innerhalb der gesamten zurück.
+ Der null-basierte Index des Objekts.
+ Der Wert des Objekts.
+
+
+ Fügt am angegebenen Index ein Element in die ein.
+ Der Index, wo das Element eingefügt wird.
+ Der Wert des Elements.
+
+
+ Ruft einen Wert ab, der angibt, ob eine feste Größe hat.
+ True, wenn das eine feste Größe hat; sonst false.
+
+
+ Ruft einen Wert ab, der angibt, ob das schreibgeschützt ist.
+ True, wenn das schreibgeschützt ist, andernfalls false.
+
+
+ Ruft das Element am angegebenen Index ab oder legt dieses fest.
+ Das Element am angegebenen Index.
+ Der Index des Elements.
+
+
+ Entfernt das erste Vorkommen eines angegebenen Objekts aus der .
+ Der Wert des Objekts, das entfernt wurde.
+
+
+ Gibt an, dass ein spezieller Klassenmember als Array von XML-Elementen serialisieren muss.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den in der XML-Dokumentinstanz generierten XML-Elementnamen an.
+ Der Name des von generierten XML-Elements.
+
+
+ Ruft den für das serialisierte Array angegebenen XML-Elementnamen ab oder legt diesen fest.
+ Der XML-Elementname des serialisierten Arrays.Der Standardname ist der Name des Members, dem zugewiesen ist.
+
+
+ Ruft einen Wert ab, der angibt, ob der von generierte XML-Elementname gekennzeichnet oder nicht gekennzeichnet ist, oder legt diesen fest.
+ Einer der -Werte.Die Standardeinstellung ist XmlSchemaForm.None.
+
+
+ Ruft einen Wert ab, der angibt, ob einen Member als leeres XML-Tag, bei dem das xsi:nil-Attribut auf true festgelegt ist, serialisieren muss, oder legt diesen fest.
+ true, wenn das xsi:nil-Attribut generiert, andernfalls false.
+
+
+ Ruft den Namespace des XML-Elements ab oder legt diesen fest.
+ Der Namespace des XML-Elements.
+
+
+ Ruft die explizite Reihenfolge ab, in der die Elemente serialisiert oder deserialisiert werden, oder legt diese fest.
+ Die Reihenfolge der Codegenerierung.
+
+
+ Stellt ein Attribut dar, das die abgeleiteten Typen angibt, welche der in ein serialisiertes Array einfügen kann.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den Namen des im XML-Dokument generierten XML-Elements an.
+ Der Name des XML-Elements.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den Namen des im XML-Dokument generierten XML-Elements sowie den an, der in das generierte XML-Dokument eingefügt werden kann.
+ Der Name des XML-Elements.
+ Der des zu serialisierenden Objekts.
+
+
+ Initialisiert eine Instanz der -Klasse und gibt den an, der in das serialisierte Array eingefügt werden kann.
+ Der des zu serialisierenden Objekts.
+
+
+ Ruft den XML-Datentyp des generierten XML-Elements ab oder legt diesen fest.
+ Ein Datentyp für die XML-Schemadefinition (XSD) laut Definition im Dokument "XML Schema Part 2: DataTypes" des World Wide Web Consortium (www.w3.org ).
+
+
+ Ruft den Namen des generierten XML-Elements ab oder legt diesen fest.
+ Der Name des generierten XML-Elements.Der Standardwert ist der Memberbezeichner.
+
+
+ Ruft einen Wert ab, der angibt, ob der Name des generierten XML-Elements gekennzeichnet ist, oder legt diesen fest.
+ Einer der -Werte.Die Standardeinstellung ist XmlSchemaForm.None.
+ Die -Eigenschaft wird auf XmlSchemaForm.Unqualified festgelegt, und es wird ein -Wert angegeben.
+
+
+ Ruft einen Wert ab, der angibt, ob einen Member als leeres XML-Tag, bei dem das xsi:nil-Attribut auf true festgelegt ist, serialisieren muss, oder legt diesen fest.
+ true, wenn das xsi:nil-Attribut generiert, andernfalls false, und es wird keine Instanz generiert.Die Standardeinstellung ist true.
+
+
+ Ruft den Namespace des generierten XML-Elements ab oder legt diesen fest.
+ Der Namespace des generierten XML-Elements.
+
+
+ Ruft die Ebene in einer Hierarchie von XML-Elementen ab, auf die das angewendet wird, oder legt diese fest.
+ Der nullbasierte Index einer Reihe von Indizes in einem Array von Arrays.
+
+
+ Ruft den in einem Array zulässigen Typ ab oder legt diesen fest.
+ Ein , der in dem Array zulässig ist.
+
+
+ Stellt eine Auflistung von -Objekten dar.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Fügt der Auflistung ein hinzu.
+ Der Index des hinzugefügten Elements.
+ Das , das der Auflistung hinzugefügt werden soll.
+
+
+ Entfernt alle Elemente aus der .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Gibt an, ob die Auflistung das angegebene enthält.
+ true, wenn die Auflistung die angegebene enthält, andernfalls false.
+ Der zu überprüfende .
+
+
+ Kopiert ein -Array in die Auflistung, beginnend am angegebenen Zielindex.
+ Das Array von -Objekten, die in die Auflistung kopiert werden sollen.
+ Der Index, ab dem mit dem Kopieren der Attribute begonnen wird.
+
+
+ Ruft die Anzahl der Elemente ab, die in enthalten sind.
+ Die Anzahl der Elemente, die in enthalten sind.
+
+
+ Gibt einen Enumerator für die gesamte zurück.
+ Ein für das gesamte .
+
+
+ Gibt einen null-basierten Index des ersten Auftretens der angegebenen in der Auflistung zurück oder -1, wenn das Attribut in der Auflistung nicht gefunden wird.
+ Der erste Index des in der Auflistung, oder -1, wenn das Attribut in der Auflistung nicht gefunden wurde.
+ Die , die in der Auflistung gesucht werden soll.
+
+
+ Fügt einen am angegebenen Index in die Auflistung ein.
+ Der Index, an dem das Attribut eingefügt wird.
+ Das einzufügende .
+
+
+ Ruft das Element am angegebenen Index ab oder legt dieses fest.
+ Der am angegebenen Index.
+ Der nullbasierte Index des Auflistungsmembers, der abgerufen oder festgelegt werden soll.
+
+
+ Entfernt ein aus der Auflistung, sofern vorhanden.
+ Das zu entfernende .
+
+
+ Entfernt das -Element am angegebenen Index.
+ Der nullbasierte Index des zu entfernenden Elements.
+
+ ist kein gültiger Index in der .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Kopiert die gesamte in ein kompatibles eindimensionales , beginnend am angegebenen Index des Zielarrays.
+ Das eindimensionale , das das Ziel der aus der kopierten Elemente ist.Für das muss eine nullbasierte Indizierung verwendet werden.
+
+
+ Ruft einen Wert ab, der angibt, ob der Zugriff auf synchronisiert (threadsicher) ist.
+ true, wenn der Zugriff auf das synchronisiert (threadsicher) ist, andernfalls false.
+
+
+
+ Fügt am Ende der ein Objekt hinzu.
+ Der -Index, an dem hinzugefügt wurde.
+ Der , der am Ende der hinzugefügt werden soll.Der Wert kann null sein.
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Gibt an, ob die Auflistung das angegebene enthält.
+ true, wenn die Auflistung die angegebene enthält, andernfalls false.
+
+
+ Gibt einen null-basierten Index des ersten Auftretens der angegebenen in der Auflistung zurück oder -1, wenn das Attribut in der Auflistung nicht gefunden wird.
+ Der erste Index des in der Auflistung, oder -1, wenn das Attribut in der Auflistung nicht gefunden wurde.
+
+
+ Fügt am angegebenen Index ein Element in die ein.
+ Der nullbasierte Index, an dem eingefügt werden soll.
+ Die einzufügende .Der Wert kann null sein.
+
+ ist kleiner als 0.– oder – ist größer als .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Ruft einen Wert ab, der angibt, ob eine feste Größe hat.
+ true, wenn eine feste Größe hat, andernfalls false.
+
+
+ Ruft einen Wert ab, der angibt, ob das schreibgeschützt ist.
+ true, wenn das schreibgeschützt ist, andernfalls false.
+
+
+ Ruft das Element am angegebenen Index ab oder legt dieses fest.
+ Der am angegebenen Index.
+ Der nullbasierte Index des Auflistungsmembers, der abgerufen oder festgelegt werden soll.
+
+
+ Entfernt das erste Vorkommen eines angegebenen Objekts aus der .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Gibt an, dass den Klassenmember als XML-Attribut serialisieren muss.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den Namen des generierten XML-Attributs an.
+ Der Name des von generierten XML-Attributs.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+ Der Name des generierten XML-Attributs.
+ Der zum Speichern des Attributs verwendete .
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+ Der zum Speichern des Attributs verwendete .
+
+
+ Ruft den Namen des XML-Attributs ab oder legt diesen fest.
+ Der Name des XML-Attributs.Der Standardwert ist der Membername.
+
+
+ Ruft den XSD-Datentyp des vom generierten XML-Attributs ab oder legt diesen fest.
+ Ein XSD (XML Schema Document)-Datentyp laut Definition im Dokument "XML Schema: DataTypes" des World Wide Web Consortium (www.w3.org ).
+
+
+ Ruft einen Wert ab, der angibt, ob der von generierte XML-Attributname gekennzeichnet ist, oder legt diesen fest.
+ Einer der -Werte.Die Standardeinstellung ist XmlForm.None.
+
+
+ Ruft den XML-Namespace des XML-Attributs ab oder legt diesen fest.
+ Der XML-Namespace des XML-Attributs.
+
+
+ Ruft den komplexen Typ des XML-Attributs ab oder legt diesen fest.
+ Der Typ des XML-Attributs.
+
+
+ Ermöglicht das Überschreiben der Attribute von Eigenschaften, Feldern und Klassen beim Serialisieren oder Deserialisieren eines Objekts mit .
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Fügt der Auflistung von -Objekten ein -Objekt hinzu.Der -Parameter gibt ein Objekt an, das überschrieben werden soll.Der -Parameter gibt den Namen des zu überschreibenden Members an.
+ Der des zu überschreibenden Objekts.
+ Der Name des zu überschreibenden Members.
+ Ein -Objekt, das die überschreibenden Attribute darstellt.
+
+
+ Fügt der Auflistung von -Objekten ein -Objekt hinzu.Der -Parameter gibt ein Objekt an, das vom -Objekt überschrieben werden soll.
+ Der des Objekts, das überschrieben wird.
+ Ein -Objekt, das die überschreibenden Attribute darstellt.
+
+
+ Ruft das dem angegebenen Basisklassentyp zugeordnete Objekt ab.
+ Ein , das die Auflistung der überschreibenden Attribute darstellt.
+ Die -Basisklasse, die der Auflistung der abzurufenden Attribute zugeordnet ist.
+
+
+ Ruft das dem angegebenen (Basisklassen-)Typ zugeordnete Objekt ab.Durch den member-Parameter wird der zu überschreibende Member der Basisklasse angegeben.
+ Ein , das die Auflistung der überschreibenden Attribute darstellt.
+ Die -Basisklasse, die der Auflistung der gewünschten Attribute zugeordnet ist.
+ Der Name des überschriebenen Member, der das zurückzugebende angibt.
+
+
+ Stellt eine Auflistung von Attributobjekten dar, die steuern, wie der Objekte serialisiert und deserialisiert.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Ruft das zu überschreibende ab oder legt dieses fest.
+ Das zu überschreibende .
+
+
+ Ruft die Auflistung der zu überschreibenden -Objekte ab.
+ Das , das die Auflistung der -Objekte darstellt.
+
+
+ Ruft ein Objekt ab, das angibt, wie ein öffentliches Feld oder eine Lese-/Schreibeigenschaft serialisiert, die ein Array zurückgibt, oder legt dieses fest.
+ Ein , das angibt, wie ein öffentliches Feld oder eine Lese-/Schreibeigenschaft serialisiert, die ein Array zurückgibt.
+
+
+ Ruft eine Auflistung von Objekten ab, die die von verwendete Serialisierung von Elementen angeben, die in ein von öffentlichen Feldern oder Lese-/Schreibeigenschaften zurückgegebenes Array eingefügt wurden, oder legt diese fest.
+ Ein -Objekt, das eine Auflistung von -Objekten enthält.
+
+
+ Ruft ein Objekt ab, das angibt, wie ein öffentliches Feld oder eine öffentliche Lese-/Schreibeigenschaft als XML-Attribut serialisiert, oder legt dieses fest.
+ Ein , das die Serialisierung eines öffentlichen Felds oder einer Lese-/Schreibeigenschaft als XML-Attribut steuert.
+
+
+ Ruft ein Objekt ab, mit dem Sie eine Reihe von Auswahlmöglichkeiten unterscheiden können, oder legt dieses fest.
+ Ein , das auf einen Klassenmember angewendet werden kann, der als xsi:choice-Element serialisiert wird.
+
+
+ Ruft den Standardwert eines XML-Elements oder -Attributs ab oder legt diesen fest.
+ Ein , das den Standardwert eines XML-Elements oder -Attributs darstellt.
+
+
+ Ruft eine Auflistung von Objekten ab, die angeben, wie öffentliche Felder oder Lese-/Schreibeigenschaften von als XML-Elemente serialisiert werden, oder legt diese fest.
+ Ein , das eine Auflistung von -Objekten enthält.
+
+
+ Ruft ein Objekt ab, das angibt, wie einen Enumerationsmember serialisiert, oder legt dieses fest.
+ Ein , das angibt, auf welche Weise ein Enumerationsmember von serialisiert wird.
+
+
+ Ruft einen Wert ab, der angibt, ob ein öffentliches Feld oder eine öffentliche Lese-/Schreibeigenschaft serialisiert, oder legt diesen fest.
+ true, wenn das Feld oder die Eigenschaft nicht serialisieren soll, andernfalls false.
+
+
+ Ruft einen Wert ab, der angibt, ob alle Namespacedeklarationen beibehalten werden sollen, wenn ein Objekt überschrieben wird, das einen Member enthält, der ein -Objekt zurückgibt, oder legt diesen fest.
+ true, wenn die Namespacedeklarationen beibehalten werden sollen, andernfalls false.
+
+
+ Ruft ein Objekt ab, das angibt, wie eine Klasse als XML-Stammelement serialisiert, oder legt dieses fest.
+ Ein , das eine Klasse überschreibt, die als XML-Stammelement attributiert ist.
+
+
+ Ruft ein Objekt ab, mit dem angewiesen wird, ein öffentliches Feld oder eine öffentliche Lese-/Schreibeigenschaft als XML-Text zu serialisieren, oder legt dieses fest.
+ Ein , das die Standardserialisierung öffentlicher Eigenschaften oder Felder überschreibt.
+
+
+ Ruft ein Objekt ab, das angibt, wie eine Klasse serialisiert, der das zugewiesen wurde, oder legt dieses fest.
+ Ein , das ein überschreibt, das einer Klassendeklaration zugewiesen wurde.
+
+
+ Gibt an, dass der Member durch Verwenden einer Enumeration eindeutig bestimmt werden kann.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+ Der Membername, der die Enumeration zurückgibt, mit der eine Auswahl bestimmt wird.
+
+
+ Ruft den Namen des Felds ab, das die Enumeration zurückgibt, mit der Typen bestimmt werden, oder legt diesen fest.
+ Der Name eines Felds, das eine Enumeration zurückgibt.
+
+
+ Gibt an, dass ein öffentliches Feld oder eine öffentliche Eigenschaft beim Serialisieren bzw. Deserialisieren des Objekts, in dem diese enthalten sind, durch ein XML-Element darstellt.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den Namen des XML-Elements an.
+ Der XML-Elementname des serialisierten Members.
+
+
+ Initialisiert eine neue Instanz von , und gibt den Namen des XML-Elements und einen abgeleiteten Typ für den Member an, auf den das angewendet wird.Dieser Membertyp wird verwendet, wenn der das Objekt serialisiert, in dem es enthalten ist.
+ Der XML-Elementname des serialisierten Members.
+ Der eines Objekts, das vom Typ des Members abgeleitet ist.
+
+
+ Initialisiert eine neues Instanz der -Klasse und gibt einen Typ für den Member an, auf den das angewendet wird.Dieser Typ wird vom verwendet, wenn das Objekt serialisiert oder deserialisiert wird, in dem es enthalten ist.
+ Der eines Objekts, das vom Typ des Members abgeleitet ist.
+
+
+ Ruft den XSD (XML Schema Definition)-Datentyp des vom generierten XML-Elements ab oder legt diesen fest.
+ Ein XML-Schemadatentyp laut Definition im Dokument "XML Schema Part 2: Datatypes" des World Wide Web Consortium (www.w3.org ).
+ Der angegebene XML-Schemadatentyp kann dem .NET-Datentyp nicht zugeordnet werden.
+
+
+ Ruft den Namen des generierten XML-Elements ab oder legt diesen fest.
+ Der Name des generierten XML-Elements.Der Standardwert ist der Memberbezeichner.
+
+
+ Ruft einen Wert ab, der angibt, ob das Element qualifiziert ist.
+ Einer der -Werte.Die Standardeinstellung ist .
+
+
+ Ruft einen Wert ab, der angibt, ob einen Member, der auf null festgelegt ist, als leeres Tag, dessen xsi:nil-Attribut auf true festgelegt ist, serialisieren muss, oder legt diesen fest.
+ true, wenn das xsi:nil-Attribut generiert, andernfalls false.
+
+
+ Ruft den Namespace ab, der dem XML-Element zugeordnet ist, das aus dem Serialisieren der Klasse resultiert, oder legt diesen fest.
+ Der Namespace des XML-Elements.
+
+
+ Ruft die explizite Reihenfolge ab, in der die Elemente serialisiert oder deserialisiert werden, oder legt diese fest.
+ Die Reihenfolge der Codegenerierung.
+
+
+ Ruft den Objekttyp ab, mit dem das XML-Element dargestellt wird, oder legt diesen fest.
+ Der des Members.
+
+
+ Stellt eine Auflistung von -Objekten dar, die vom zum Überschreiben des Standardverfahrens für die Serialisierung einer Klasse verwendet wird.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Fügt der Auflistung ein hinzu.
+ Der nullbasierte Index des neu hinzugefügten Elements.
+ Die zu addierende .
+
+
+ Entfernt alle Elemente aus der .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Ermittelt, ob die Auflistung das angegebene Objekt enthält.
+ true, wenn das Objekt in der Aufzählung vorhanden ist; sonst false.
+ Das zu suchende -Element.
+
+
+ Kopiert das oder einen Teil davon in ein eindimensionales Array.
+ Das -Array, welches die kopierten Elemente enthält.
+ Der nullbasierte Index im , bei dem der Kopiervorgang beginnt.
+
+
+ Ruft die Anzahl der Elemente ab, die in enthalten sind.
+ Die Anzahl der Elemente, die in enthalten sind.
+
+
+ Gibt einen Enumerator für die gesamte zurück.
+ Ein für das gesamte .
+
+
+ Ruft den Index der angegebenen ab.
+ Der nullbasierte Index von .
+ Die dessen Index abgerufen wird.
+
+
+ Fügt ein in die Auflistung ein.
+ Der null-basierte Index, wo der Member eingefügt wurde.
+ Die einzufügende .
+
+
+ Ruft das Element am angegebenen Index ab oder legt dieses fest.
+ Das Element am angegebenen Index.
+ Der nullbasierte Index des Elements, das abgerufen oder festgelegt werden soll.
+
+ ist kein gültiger Index in der .
+ Die Eigenschaft wird festgelegt, und die ist schreibgeschützt.
+
+
+ Entfernt das angegebene Objekt aus der Auflistung.
+ Das aus der Auflistung zu entfernende .
+
+
+ Entfernt das -Element am angegebenen Index.
+ Der nullbasierte Index des zu entfernenden Elements.
+
+ ist kein gültiger Index in der .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Kopiert die gesamte in ein kompatibles eindimensionales , beginnend am angegebenen Index des Zielarrays.
+ Das eindimensionale , das das Ziel der aus der kopierten Elemente ist.Für das muss eine nullbasierte Indizierung verwendet werden.
+
+
+ Ruft einen Wert ab, der angibt, ob der Zugriff auf synchronisiert (threadsicher) ist.
+ true, wenn der Zugriff auf das synchronisiert (threadsicher) ist, andernfalls false.
+
+
+ Ruft ein Objekt ab, mit dem der Zugriff auf synchronisiert werden kann.
+ Ein Objekt, mit dem der Zugriff auf die synchronisiert werden kann.
+
+
+ Fügt am Ende der ein Objekt hinzu.
+ Der -Index, an dem hinzugefügt wurde.
+ Der , der am Ende der hinzugefügt werden soll.Der Wert kann null sein.
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Ermittelt, ob die einen bestimmten Wert enthält.
+ true, wenn in gefunden wird, andernfalls false.
+ Das im zu suchende Objekt.
+
+
+ Bestimmt den Index eines bestimmten Elements in der .
+ Der Index von , wenn das Element in der Liste gefunden wird, andernfalls -1.
+ Das im zu suchende Objekt.
+
+
+ Fügt am angegebenen Index ein Element in die ein.
+ Der nullbasierte Index, an dem eingefügt werden soll.
+ Die einzufügende .Der Wert kann null sein.
+
+ ist kleiner als 0.– oder – ist größer als .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Ruft einen Wert ab, der angibt, ob eine feste Größe hat.
+ true, wenn eine feste Größe hat, andernfalls false.
+
+
+ Ruft einen Wert ab, der angibt, ob das schreibgeschützt ist.
+ true, wenn das schreibgeschützt ist, andernfalls false.
+
+
+ Ruft das Element am angegebenen Index ab oder legt dieses fest.
+ Das Element am angegebenen Index.
+ Der nullbasierte Index des Elements, das abgerufen oder festgelegt werden soll.
+
+ ist kein gültiger Index in der .
+ Die Eigenschaft wird festgelegt, und die ist schreibgeschützt.
+
+
+ Entfernt das erste Vorkommen eines angegebenen Objekts aus der .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Steuert die Art, in der einen Enumerationsmember serialisiert.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse, und gibt den XML-Wert an, der von beim Serialisieren der Enumeration generiert bzw. beim Deserialisieren erkannt wird.
+ Der überschreibende Name des Enumerationsmember.
+
+
+ Ruft den Wert ab, der bei der Serialisierung einer Enumeration durch in einer XML-Dokumentinstanz generiert wurde bzw. bei der Deserialisierung eines Enumerationsmembers erkannt wurde, oder legt diesen fest.
+ Der Wert, der bei der Serialisierung einer Enumeration durch in einer XML-Dokumentinstanz generiert bzw. bei der Deserialisierung eines Enumerationsmembers erkannt wurde.
+
+
+ Weist die -Methode von an, den Eigenschaftswert des öffentlichen Felds oder des öffentlichen Lese-/Schreibzugriffs nicht zu serialisieren.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Ermöglicht dem das Erkennen eines Typs beim Serialisieren oder Deserialisieren eines Objekts.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+ Der des aufzunehmenden Objekts.
+
+
+ Ruft den Typ des aufzunehmenden Objekts ab oder legt diesen fest.
+ Der des aufzunehmenden Objekts.
+
+
+ Gibt an, dass Zieleigenschaft, Zielparameter, Zielrückgabewert oder Zielklassenmember Präfixe enthalten, die den innerhalb eines XML-Dokuments verwendeten Namespaces zugeordnet werden.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Steuert die XML-Serialisierung des Attributziels als XML-Stammelement.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den Namen des XML-Stammelements an.
+ Der Name des XML-Stammelements.
+
+
+ Ruft den XSD-Datentyp des XML-Stammelements ab oder legt diesen fest.
+ Ein XSD (XML Schema Document)-Datentyp laut Definition im Dokument "XML Schema: DataTypes" des World Wide Web Consortium (www.w3.org ).
+
+
+ Ruft den Namen des von der -Methode bzw. der -Methode der -Klasse generierten bzw. erkannten XML-Elements ab, oder legt diesen fest.
+ Der Name des für eine XML-Dokumentinstanz generierten und erkannten XML-Stammelements.Der Standardwert ist der Name der serialisierten Klasse.
+
+
+ Ruft einen Wert ab, der angibt, ob einen auf null festgelegten Member in das auf true festgelegte xsi:nil-Attribut serialisieren muss, oder legt diesen fest.
+ true, wenn das xsi:nil-Attribut generiert, andernfalls false.
+
+
+ Ruft den Namespace des XML-Stammelements ab oder legt diesen fest.
+ Der Namespace des XML-Elements.
+
+
+ Serialisiert und deserialisiert Objekte in und aus XML-Dokumenten.Mit können Sie steuern, wie Objekte in XML codiert werden.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse, die Objekte des angegebenen Typs in XML-Dokumente serialisieren und XML-Dokumente in Objekte des angegebenen Typs deserialisieren kann.
+ Der Objekttyp, den dieser serialisieren kann.
+
+
+ Initialisiert eine neue Instanz der -Klasse, die Objekte des angegebenen Typs in XML-Dokumente serialisieren und XML-Dokumente in Objekte des angegebenen Typs deserialisieren kann.Gibt den Standardnamespace für alle XML-Elemente an.
+ Der Objekttyp, den dieser serialisieren kann.
+ Der für alle XML-Elemente zu verwendende Standardnamespace.
+
+
+ Initialisiert eine neue Instanz der -Klasse, die Objekte des angegebenen Typs in XML-Dokumente serialisieren und XML-Dokumente in ein Objekt eines angegebenen Typs deserialisieren kann.Wenn eine Eigenschaft oder ein Feld ein Array zurückgibt, werden durch den -Parameter die Objekte angegeben, die in das Array eingefügt werden können.
+ Der Objekttyp, den dieser serialisieren kann.
+ Ein -Array mit zusätzlich zu serialisierenden Objekttypen.
+
+
+ Initialisiert eine neue Instanz der -Klasse, die Objekte des angegebenen Typs in XML-Dokumente serialisieren und XML-Dokumente in Objekte des angegebenen Typs deserialisieren kann.Jedes zu serialisierende Objekt kann selbst Instanzen von Klassen enthalten, die von dieser Überladung durch andere Klassen überschrieben werden können.
+ Der Typ des zu serialisierenden Objekts.
+ Ein .
+
+
+ Initialisiert eine neue Instanz der -Klasse, die Objekte vom Typ in Instanzen eines XML-Dokuments serialisieren und Instanzen eines XML-Dokuments in Objekte vom Typ deserialisieren kann.Jedes zu serialisierende Objekt kann selbst Instanzen von Klassen enthalten, die von dieser Überladung durch andere Klassen überschrieben werden können.Diese Überladung gibt außerdem den Standardnamespace für alle XML-Elemente sowie die als XML-Stammelement zu verwendende Klasse an.
+ Der Objekttyp, den dieser serialisieren kann.
+ Ein , das das Verhalten der im -Parameter festgelegten Klasse erweitert oder überschreibt.
+ Ein -Array mit zusätzlich zu serialisierenden Objekttypen.
+ Ein , das die Eigenschaften des XML-Stammelements definiert.
+ Der Standardnamespace aller XML-Elemente im XML-Dokument.
+
+
+ Initialisiert eine neue Instanz der -Klasse, die Objekte des angegebenen Typs in XML-Dokumente serialisieren und ein XML-Dokument in ein Objekt des angegebenen Typs deserialisieren kann.Außerdem wird die als XML-Stammelement zu verwendende Klasse angegeben.
+ Der Objekttyp, den dieser serialisieren kann.
+ Ein , das das XML-Stammelement darstellt.
+
+
+ Ruft einen Wert ab, der angibt, ob dieser ein angegebenes XML-Dokument deserialisieren kann.
+ true, wenn dieser das Objekt deserialisieren kann, auf das zeigt, andernfalls false.
+ Ein , der auf das zu deserialisierende Dokument zeigt.
+
+
+ Deserialisiert das im angegebenen enthaltene XML-Dokument.
+ Das , das deserialisiert wird.
+ Der mit dem zu deserialisierenden XML-Dokument.
+
+
+ Deserialisiert das im angegebenen enthaltene XML-Dokument.
+ Das , das deserialisiert wird.
+ Der mit dem zu deserialisierenden XML-Dokument.
+ Bei der Deserialisierung ist ein Fehler aufgetreten.Die ursprüngliche Ausnahme ist mithilfe der -Eigenschaft verfügbar.
+
+
+ Deserialisiert das im angegebenen enthaltene XML-Dokument.
+ Das , das deserialisiert wird.
+ Der mit dem zu deserialisierenden XML-Dokument.
+ Bei der Deserialisierung ist ein Fehler aufgetreten.Die ursprüngliche Ausnahme ist mithilfe der -Eigenschaft verfügbar.
+
+
+ Gibt ein Array von -Objekten zurück, das aus einem Array von Typen erstellt wurde.
+ Ein Array von -Objekten.
+ Ein Array von -Objekten.
+
+
+ Serialisiert das angegebene und schreibt das XML-Dokument über den angegebenen in eine Datei.
+ Der zum Schreiben des XML-Dokuments verwendete .
+ Das zu serialisierende .
+ Bei der Serialisierung ist ein Fehler aufgetreten.Die ursprüngliche Ausnahme ist mithilfe der -Eigenschaft verfügbar.
+
+
+ Serialisiert das angegebene und schreibt das XML-Dokument unter Verwendung des angegebenen in eine Datei, wobei auf die angegebenen Namespaces verwiesen wird.
+ Der zum Schreiben des XML-Dokuments verwendete .
+ Das zu serialisierende .
+ Die , auf die das Objekt verweist.
+ Bei der Serialisierung ist ein Fehler aufgetreten.Die ursprüngliche Ausnahme ist mithilfe der -Eigenschaft verfügbar.
+
+
+ Serialisiert das angegebene und schreibt das XML-Dokument über den angegebenen in eine Datei.
+ Der zum Schreiben des XML-Dokuments verwendete .
+ Das zu serialisierende .
+
+
+ Serialisiert das angegebene und schreibt das XML-Dokument unter Verwendung des angegebenen in eine Datei, wobei auf die angegebenen Namespaces verwiesen wird.
+ Der zum Schreiben des XML-Dokuments verwendete .
+ Das zu serialisierende .
+ Das , das die Namespaces für das generierte XML-Dokument enthält.
+ Bei der Serialisierung ist ein Fehler aufgetreten.Die ursprüngliche Ausnahme ist mithilfe der -Eigenschaft verfügbar.
+
+
+ Serialisiert das angegebene und schreibt das XML-Dokument über den angegebenen in eine Datei.
+ Der zum Schreiben des XML-Dokuments verwendete .
+ Das zu serialisierende .
+ Bei der Serialisierung ist ein Fehler aufgetreten.Die ursprüngliche Ausnahme ist mithilfe der -Eigenschaft verfügbar.
+
+
+ Serialisiert das angegebene und schreibt das XML-Dokument unter Verwendung des angegebenen in eine Datei, wobei auf die angegebenen Namespaces verwiesen wird.
+ Der zum Schreiben des XML-Dokuments verwendete .
+ Das zu serialisierende .
+ Die , auf die das Objekt verweist.
+ Bei der Serialisierung ist ein Fehler aufgetreten.Die ursprüngliche Ausnahme ist mithilfe der -Eigenschaft verfügbar.
+
+
+ Enthält die XML-Namespaces und Präfixe, die von zum Generieren vollständiger Namen in einer XML-Dokumentinstanz verwendet werden.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse unter Verwendung der angegebenen Instanz von XmlSerializerNamespaces mit einer Auflistung von Paaren aus Präfix und Namespace.
+ Eine Instanz des , die die Paare aus Namespace und Präfix enthält.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+ Ein Array von -Objekten.
+
+
+ Fügt einem -Objekt ein Paar aus Präfix und Namespace hinzu.
+ Das einem XML-Namespace zugeordnete Präfix.
+ Ein XML-Namespace.
+
+
+ Ruft die Anzahl der Paare aus Präfix und Namespace in der Auflistung ab.
+ Die Anzahl der Paare aus Präfix und Namespace in der Auflistung.
+
+
+ Ruft das Array von Paaren aus Präfix und Namespace von einem -Objekt ab.
+ Ein Array von -Objekten, die als gekennzeichneter Name in einem XML-Dokument verwendet werden.
+
+
+ Gibt dem an, dass der Member beim Serialisieren oder Deserialisieren der Klasse, in der er enthalten ist, als XML-Text behandelt werden muss.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+ Der des zu serialisierenden Members.
+
+
+ Ruft den XSD (XML Schema Definition)-Datentyp des von generierten Textes ab oder legt diesen fest.
+ Ein Datentyp für das XML (XSD)-Schema laut Definition im Dokument "XML Schema Part 2: Datatypes" des World Wide Web Consortium (www.w3.org ).
+ Der angegebene XML-Schemadatentyp kann dem .NET-Datentyp nicht zugeordnet werden.
+ Der angegebene XML-Schemadatentyp ist für die Eigenschaft nicht zulässig und kann nicht in den Membertyp konvertiert werden.
+
+
+ Ruft den Typ des Members ab oder legt diesen fest.
+ Der des Members.
+
+
+ Steuert das XML-Schema, das generiert wird, wenn das Attributziel vom serialisiert wird.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den Namen des XML-Typs an.
+ Der Name des XML-Typs, der vom beim Serialisieren einer Klasseninstanz generiert bzw. beim Deserialisieren der Klasseninstanz erkannt wird.
+
+
+ Ruft einen Wert ab, der bestimmt, ob der resultierende Schematyp ein anonymer XSD-Typ ist, oder legt diesen fest.
+ true, wenn der resultierende Schematyp ein anonymer XSD-Typ ist, andernfalls false.
+
+
+ Ruft einen Wert ab, der angibt, ob der Typ in XML-Schemadokumente aufgenommen werden soll, oder legt diesen fest.
+ true, wenn der Typ in XML-Schemadokumente aufgenommen werden soll, andernfalls false.
+
+
+ Ruft den Namespace des XML-Typs ab oder legt diesen fest.
+ Der Namespace des XML-Typs.
+
+
+ Ruft den Namen des XML-Typs ab oder legt diesen fest.
+ Der Name des XML-Typs.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/es/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/es/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..49ad6c0
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/es/System.Xml.XmlSerializer.xml
@@ -0,0 +1,961 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ Especifica que el miembro (un campo que devuelve una matriz de objetos ) puede contener cualquier atributo XML.
+
+
+ Construye una nueva instancia de la clase .
+
+
+ Especifica que el miembro (un campo que devuelve una matriz de objetos o ) contiene objetos que representan los elementos XLM que no tienen un miembro correspondiente en el objeto que se está serializando o deserializando.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase y especifica el nombre del elemento XML generado en el documento XML.
+ Nombre del elemento XML que genera .
+
+
+ Inicializa una nueva instancia de la clase y especifica el nombre del elemento XML generado en el documento XML y su espacio de nombres XML.
+ Nombre del elemento XML que genera .
+ Espacio de nombres XML del elemento XML.
+
+
+ Obtiene o establece el nombre del elemento XML.
+ Nombre del elemento XML.
+ El nombre de elemento de un miembro de la matriz no coincide con el nombre de elemento especificado por la propiedad .
+
+
+ Obtiene o establece el espacio de nombres XML generado en el documento XML.
+ Espacio de nombres XML.
+
+
+ Obtiene o establece el orden explícito en el que los elementos son serializados o deserializados.
+ Orden de la generación de código.
+
+
+ Representa una colección de objetos .
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Agrega un objeto a la colección.
+ Índice del objeto que se acaba de agregar.
+
+ que se va a sumar.
+
+
+ Quita todos los objetos de la colección .Este método no se puede reemplazar.
+
+
+ Obtiene un valor que indica si el especificado existe en la colección.
+ Es true si el objeto existe en la colección; en caso contrario, es false.
+
+ que interesa al usuario.
+
+
+ Copia los objetos de la colección en una matriz unidimensional compatible, empezando por el índice especificado de la matriz de destino.
+ Matriz unidimensional de objetos que constituye el destino de los elementos copiados de la colección.La matriz debe tener una indización de base cero.
+ Índice de base cero de en el que empieza la operación de copia.
+
+
+ Obtiene el número de elementos incluidos en la instancia de .
+ Número de elementos incluidos en la instancia de .
+
+
+ Devuelve un enumerador que recorre en iteración la colección .
+ Un enumerador que itera por la colección .
+
+
+ Obtiene el índice del objeto especificado.
+ Índice del objeto especificado.
+
+ cuyo índice se desea obtener.
+
+
+ Inserta un objeto en el índice especificado de la colección.
+ Índice donde se insertará el objeto .
+
+ que se va a insertar.
+
+
+ Obtiene o establece el objeto en el índice especificado.
+
+ situado en el índice especificado.
+ Índice del objeto .
+
+
+ Quita el especificado de la colección.
+
+ que se va a quitar.
+
+
+ Quita el elemento situado en el índice especificado de .Este método no se puede reemplazar.
+ Índice del elemento que se va a quitar.
+
+
+ Copia los objetos de la colección en una matriz unidimensional compatible, empezando por el índice especificado de la matriz de destino.
+ Matriz unidimensional.
+ Índice especificado.
+
+
+ Obtiene un valor que indica si el acceso a la interfaz está sincronizado (es seguro para subprocesos).
+ Es True si el acceso a está sincronizado; de lo contrario, es false.
+
+
+ Obtiene un objeto que se puede utilizar para sincronizar el acceso a .
+ Objeto que se puede utilizar para sincronizar el acceso a .
+
+
+ Agrega un objeto al final de .
+ Objeto que se agrega a la colección.
+ El valor del objeto que se va a agregar a la colección.
+
+
+ Determina si contiene un elemento específico.
+ Es True si contiene un elemento específico; de lo contrario, es false .
+ Valor del elemento.
+
+
+ Busca el objeto especificado y devuelve el índice de base cero de la primera aparición en toda la colección .
+ El índice de base cero de un objeto.
+ Valor del objeto.
+
+
+ Inserta un elemento en , en el índice especificado.
+ El índice donde el elemento se insertará.
+ Valor del elemento.
+
+
+ Obtiene un valor que indica si la matriz tiene un tamaño fijo.
+ Es True si tiene un tamaño fijo; de lo contrario, es false.
+
+
+ Obtiene un valor que indica si es de sólo lectura.
+ True si la interfaz es de solo lectura; en caso contrario, false.
+
+
+ Obtiene o establece el elemento que se encuentra en el índice especificado.
+ El elemento en el índice especificado.
+ Índice del elemento.
+
+
+ Quita la primera aparición de un objeto específico de la interfaz .
+ Valor del objeto que se ha quitado.
+
+
+ Especifica que debe serializar un miembro de clase determinado como matriz de elementos XML.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase y especifica el nombre del elemento XML generado en la instancia del documento XML.
+ Nombre del elemento XML que genera .
+
+
+ Obtiene o establece el nombre de elemento XML asignado a la matriz serializada.
+ Nombre del elemento XML de la matriz serializada.El valor predeterminado es el nombre del miembro al que se ha asignado .
+
+
+ Obtiene o establece un valor que indica si el nombre del elemento XML generado por el objeto está calificado o no.
+ Uno de los valores de .El valor predeterminado es XmlSchemaForm.None.
+
+
+ Obtiene o establece un valor que indica si debe serializar un miembro como una etiqueta XML vacía con el atributo xsi:nil establecido en true.
+ true si genera el atributo xsi:nil; en caso contrario, false.
+
+
+ Obtiene o establece el espacio de nombres del elemento XML.
+ Espacio de nombres del elemento XML.
+
+
+ Obtiene o establece el orden explícito en el que los elementos son serializados o deserializados.
+ Orden de la generación de código.
+
+
+ Representa un atributo que especifica los tipos derivados que puede colocar en una matriz serializada.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una instancia nueva de la clase y especifica el nombre del elemento XML generado en el documento XML.
+ Nombre del elemento XML.
+
+
+ Inicializa una instancia nueva de la clase y especifica el nombre del elemento XML generado en el documento XML, así como el que puede insertarse en el documento XML generado.
+ Nombre del elemento XML.
+
+ del objeto que se va a serializar.
+
+
+ Inicializa una instancia nueva de la clase y especifica el que puede insertarse en la matriz serializada.
+
+ del objeto que se va a serializar.
+
+
+ Obtiene o establece el tipo de datos XML del elemento XML generado.
+ Tipo de datos de definición de esquemas XML (XSD), tal como se define en el documento "XML Schema Part 2: Datatypes" del Consorcio WWC (www.w3.org).
+
+
+ Obtiene o establece el nombre del elemento XML generado.
+ Nombre del elemento XML generado.El valor predeterminado es el identificador de miembros.
+
+
+ Obtiene o establece un valor que indica si el nombre del elemento XML generado está calificado.
+ Uno de los valores de .El valor predeterminado es XmlSchemaForm.None.
+ La propiedad se establece en XmlSchemaForm.Unqualified y se especifica un valor para la propiedad .
+
+
+ Obtiene o establece un valor que indica si debe serializar un miembro como una etiqueta XML vacía con el atributo xsi:nil establecido en true.
+ Es true si genera el atributo xsi:nil; en caso contrario, es false y no se genera ninguna instancia.El valor predeterminado es true.
+
+
+ Obtiene o establece el espacio de nombres del elemento XML generado.
+ Espacio de nombres del elemento XML generado.
+
+
+ Obtiene o establece el nivel en una jerarquía de elementos XML a los que afecta .
+ Índice de base cero de un conjunto de índices en una matriz de matrices.
+
+
+ Obtiene o establece el tipo permitido en una matriz.
+
+ permitido en la matriz.
+
+
+ Representa una colección de objetos .
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Agrega un objeto a la colección.
+ Índice del elemento que se ha agregado.
+ Objeto que se va a agregar a la colección.
+
+
+ Quita todos los elementos de .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Determina si la colección contiene el objeto especificado.
+ true si la colección contiene el objeto especificado; en caso contrario, false.
+
+ que se va a comprobar.
+
+
+ Copia una matriz a la colección, comenzando por el índice de destino especificado.
+ Matriz de objetos que se copiará en la colección.
+ Índice por el que empiezan los atributos copiados.
+
+
+ Obtiene el número de elementos incluidos en .
+ Número de elementos incluidos en .
+
+
+ Devuelve un enumerador para la completa.
+ Interfaz para toda la colección .
+
+
+ Devuelve el índice de base cero de la primera aparición del especificado en la colección o -1 si el atributo no se encuentra en la colección.
+ El primer índice de en la colección o -1 si el atributo no se encuentra en la colección.
+
+ que se va a buscar en la colección.
+
+
+ Inserta un objeto en el índice especificado de la colección.
+ Índice en el que se inserta el atributo.
+
+ que se va a insertar.
+
+
+ Obtiene o establece el elemento en el índice especificado.
+
+ en el índice especificado.
+ Índice de base cero del miembro de la colección que se va a obtener o establecer.
+
+
+ Quita de la colección, en caso de que esté presente.
+
+ que se va a quitar.
+
+
+ Quita el elemento de la interfaz que se encuentra en el índice especificado.
+ Índice de base cero del elemento que se va a quitar.
+
+ no es un índice válido para .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Copia la totalidad de en una matriz unidimensional compatible, comenzando en el índice especificado de la matriz de destino.
+
+ unidimensional que constituye el destino de los elementos copiados de . debe tener una indización de base cero.
+
+
+ Obtiene un valor que indica si el acceso a la interfaz está sincronizado (es seguro para subprocesos).
+ Es true si el acceso a está sincronizado (es seguro para subprocesos); de lo contrario, es false.
+
+
+
+ Agrega un objeto al final de .
+ El índice de en el que se ha agregado .
+ Objeto que se va a agregar al final de la colección .El valor puede ser null.
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Determina si la colección contiene el objeto especificado.
+ true si la colección contiene el objeto especificado; en caso contrario, false.
+
+
+ Devuelve el índice de base cero de la primera aparición del especificado en la colección o -1 si el atributo no se encuentra en la colección.
+ El primer índice de en la colección o -1 si el atributo no se encuentra en la colección.
+
+
+ Inserta un elemento en , en el índice especificado.
+ Índice basado en cero en el que debe insertarse .
+
+ que se va a insertar.El valor puede ser null.
+
+ es menor que cero.O bien es mayor que .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Obtiene un valor que indica si la interfaz tiene un tamaño fijo.
+ Es true si la interfaz tiene un tamaño fijo; de lo contrario, es false.
+
+
+ Obtiene un valor que indica si es de sólo lectura.
+ true si la interfaz es de solo lectura; en caso contrario, false.
+
+
+ Obtiene o establece el elemento en el índice especificado.
+
+ en el índice especificado.
+ Índice de base cero del miembro de la colección que se va a obtener o establecer.
+
+
+ Quita la primera aparición de un objeto específico de la interfaz .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Especifica que debe serializar el miembro de la clase como un atributo XML.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase y especifica el nombre del atributo XML generado.
+ Nombre del atributo XML que genera .
+
+
+ Inicializa una nueva instancia de la clase .
+ Nombre del atributo XML que se genera.
+
+ utilizado para almacenar el atributo.
+
+
+ Inicializa una nueva instancia de la clase .
+
+ utilizado para almacenar el atributo.
+
+
+ Obtiene o establece el nombre del atributo XML.
+ Nombre del atributo XML.El valor predeterminado es el nombre del miembro.
+
+
+ Obtiene o establece el tipo de datos XSD del atributo XML generado por .
+ Tipo de datos de XSD (documento de esquemas XML), tal como se define en el documento "XML Schema: DataTypes" del Consorcio WWC (www.w3.org).
+
+
+ Obtiene o establece un valor que indica si está calificado el nombre del atributo XML generado por .
+ Uno de los valores de .El valor predeterminado es XmlForm.None.
+
+
+ Obtiene o establece el espacio de nombres XML del atributo XML.
+ Espacio de nombres XML del atributo XML.
+
+
+ Obtiene o establece el tipo complejo del atributo XML.
+ Tipo del atributo XML.
+
+
+ Permite reemplazar los atributos de las propiedades, campos y clases al utilizar para serializar o deserializar un objeto.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Agrega un objeto a la colección de objetos .El parámetro especifica un objeto que se va a reemplazar.El parámetro especifica el nombre de un miembro que se va a reemplazar.
+
+ del objeto que se va a reemplazar.
+ Nombre del miembro que se va a reemplazar.
+ Objeto que representa los atributos reemplazados.
+
+
+ Agrega un objeto a la colección de objetos .El parámetro especifica un objeto que va a ser reemplazado por el objeto .
+ Tipo del objeto que se va a reemplazar.
+ Objeto que representa los atributos reemplazados.
+
+
+ Obtiene el objeto asociado al tipo de clase base especificado.
+
+ que representa la colección de atributos de reemplazo.
+ Tipo de la clase base que está asociado a la colección de atributos que se desea recuperar.
+
+
+ Obtiene el objeto asociado al tipo (de clase base) especificado.El parámetro de miembro especifica el miembro de clase base que se reemplaza.
+
+ que representa la colección de atributos de reemplazo.
+ Tipo de la clase base que está asociado a la colección de atributos que se desea.
+ Nombre del miembro reemplazado que especifica el objeto que se va a devolver.
+
+
+ Representa una colección de objetos de atributo que controlan el modo en que serializa y deserializa un objeto.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Obtiene o establece el que se va a reemplazar.
+
+ que se va a reemplazar.
+
+
+ Obtiene la colección de objetos que se va a reemplazar.
+ Objeto que representa la colección de objetos .
+
+
+ Obtiene o establece un objeto que especifica el modo en que serializa un campo público o una propiedad pública de lectura/escritura que devuelve una matriz.
+
+ que especifica el modo en que serializa un campo público o una propiedad pública de lectura/escritura que devuelve una matriz.
+
+
+ Obtiene o establece una colección de objetos que especifica el modo en que serializa los elementos insertados en una matriz devuelta por un campo público o una propiedad pública de lectura/escritura.
+ Objeto que contiene una colección de objetos .
+
+
+ Obtiene o establece un objeto que especifica el modo en que serializa un campo público o una propiedad pública de lectura/escritura como atributo XML.
+
+ que controla la serialización de un campo público o una propiedad pública de lectura/escritura como atributo XML.
+
+
+ Obtiene o establece un objeto que permite distinguir entre varias opciones.
+
+ que se puede aplicar a un miembro de clase serializado como un elemento xsi:choice.
+
+
+ Obtiene o establece el valor predeterminado de un elemento o atributo XML.
+
+ que representa el valor predeterminado de un elemento o atributo XML.
+
+
+ Obtiene una colección de objetos que especifican el modo en que serializa un campo público o una propiedad pública de lectura/escritura como elemento XML.
+
+ que contiene una colección de objetos .
+
+
+ Obtiene o establece un objeto que especifica el modo en que serializa un miembro de enumeración.
+
+ que especifica el modo en que serializa un miembro de enumeración.
+
+
+ Obtiene o establece un valor que especifica si serializa o no un campo público o una propiedad pública de lectura/escritura.
+ true si el objeto no debe serializar ni el campo ni la propiedad; en caso contrario, false.
+
+
+ Obtiene o establece un valor que especifica si se mantienen todas las declaraciones de espacio de nombres al reemplazar un objeto con un miembro que devuelve un objeto .
+ Es truesi deben mantenerse las declaraciones de espacio de nombres; en caso contrario, es false.
+
+
+ Obtiene o establece un objeto que especifica el modo en que serializa una clase como elemento raíz XML.
+
+ que reemplaza una clase con atributos de elemento raíz XML.
+
+
+ Obtiene o establece un objeto que instruye al objeto para que serialice un campo público o una propiedad pública de lectura/escritura como texto XML.
+
+ que reemplaza la serialización predeterminada de un campo público o una propiedad pública.
+
+
+ Obtiene o establece un objeto que especifica el modo en que serializa una clase a la que se ha aplicado el objeto .
+
+ que reemplaza un aplicado a una declaración de clase.
+
+
+ Especifica que el miembro se puede detectar mejor utilizando una enumeración.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase .
+ El nombre de miembro que devuelve la enumeración se utiliza para detectar una elección.
+
+
+ Obtiene o establece el nombre del campo que devuelve la enumeración que se va a utilizar para detectar tipos.
+ Nombre de un campo que devuelve una enumeración.
+
+
+ Indica que un campo público o una propiedad pública representa un elemento XML, cuando serializa o deserializa el objeto que lo contiene.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase y especifica el nombre del elemento XML.
+ Nombre de elemento XML del miembro serializado.
+
+
+ Inicializa una nueva instancia de y especifica el nombre del elemento XML así como un tipo derivado del miembro al que se ha aplicado .Este tipo de miembro se utiliza cuando serializa el objeto que lo contiene.
+ Nombre de elemento XML del miembro serializado.
+
+ de un objeto derivado del tipo de miembro.
+
+
+ Inicializa una nueva instancia de la clase y especifica un tipo de miembro al que es aplicado.Este tipo es utilizado por al serializar o deserializar el objeto que lo contiene.
+
+ de un objeto derivado del tipo de miembro.
+
+
+ Obtiene o establece el tipo de datos de la definición de esquemas XML (XSD) del elemento XM1 generado por .
+ Tipo de datos de esquemas XML, tal como se define en el documento del Consorcio WWC (www.w3.org) titulado "XML Schema Part 2: Datatypes".
+ El tipo de datos de esquemas XML especificado no se puede asignar al tipo de datos .NET.
+
+
+ Obtiene o establece el nombre del elemento XML generado.
+ Nombre del elemento XML generado.El valor predeterminado es el identificador de miembros.
+
+
+ Obtiene o establece un valor que indica si el elemento está calificado.
+ Uno de los valores de .El valor predeterminado es .
+
+
+ Obtiene o establece un valor que indica si debe serializar un miembro establecido en null como una etiqueta vacía con el atributo xsi:nil establecido en true.
+ true si genera el atributo xsi:nil; en caso contrario, false.
+
+
+ Obtiene o establece el espacio de nombres asignado al elemento XML como resultado de la serialización de la clase.
+ Espacio de nombres del elemento XML.
+
+
+ Obtiene o establece el orden explícito en el que los elementos son serializados o deserializados.
+ Orden de la generación de código.
+
+
+ Obtiene o establece el tipo de objeto utilizado para representar el elemento XML.
+
+ del miembro.
+
+
+ Representa una colección de objetos , que utiliza para reemplazar la forma predeterminada en que serializa una clase.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Agrega un objeto a la colección.
+ Índice de base cero del elemento que acaba de agregarse.
+
+ que se va a sumar.
+
+
+ Quita todos los elementos de .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Determina si la colección contiene el objeto especificado.
+ Es true si el objeto existe en la colección; de lo contrario, es false.
+
+ que se va a buscar.
+
+
+ Copia o una parte de la misma en una matriz unidimensional.
+ La matriz de para contener los elementos copiados.
+ Índice de base cero de en el que empieza la operación de copia.
+
+
+ Obtiene el número de elementos incluidos en .
+ Número de elementos incluidos en .
+
+
+ Devuelve un enumerador para la completa.
+ Interfaz para toda la colección .
+
+
+ Obtiene el índice del objeto especificado.
+ Índice de base cero del objeto .
+
+ cuyo índice se recupera.
+
+
+ Inserta en la colección.
+ Índice de base cero en el que se inserta el miembro.
+
+ que se va a insertar.
+
+
+ Obtiene o establece el elemento que se encuentra en el índice especificado.
+ El elemento en el índice especificado.
+ Índice de base cero del elemento que se va a obtener o establecer.
+
+ no es un índice válido para .
+ La propiedad está establecida y es de solo lectura.
+
+
+ Quita el objeto especificado de la colección.
+
+ que se va a quitar de la colección.
+
+
+ Quita el elemento de la interfaz que se encuentra en el índice especificado.
+ Índice de base cero del elemento que se va a quitar.
+
+ no es un índice válido para .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Copia la totalidad de en una matriz unidimensional compatible, comenzando en el índice especificado de la matriz de destino.
+
+ unidimensional que constituye el destino de los elementos copiados de . debe tener una indización de base cero.
+
+
+ Obtiene un valor que indica si el acceso a la interfaz está sincronizado (es seguro para subprocesos).
+ Es true si el acceso a está sincronizado (es seguro para subprocesos); de lo contrario, es false.
+
+
+ Obtiene un objeto que se puede utilizar para sincronizar el acceso a .
+ Objeto que se puede utilizar para sincronizar el acceso a .
+
+
+ Agrega un objeto al final de .
+ El índice de en el que se ha agregado .
+ Objeto que se va a agregar al final de la colección .El valor puede ser null.
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Determina si la interfaz contiene un valor específico.
+ Es true si se encuentra en ; en caso contrario, es false.
+ Objeto que se va a buscar en .
+
+
+ Determina el índice de un elemento específico de .
+ Índice de , si se encuentra en la lista; de lo contrario, -1.
+ Objeto que se va a buscar en .
+
+
+ Inserta un elemento en , en el índice especificado.
+ Índice basado en cero en el que debe insertarse .
+
+ que se va a insertar.El valor puede ser null.
+
+ es menor que cero.O bien es mayor que .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Obtiene un valor que indica si la interfaz tiene un tamaño fijo.
+ Es true si la interfaz tiene un tamaño fijo; de lo contrario, es false.
+
+
+ Obtiene un valor que indica si es de sólo lectura.
+ true si la interfaz es de solo lectura; en caso contrario, false.
+
+
+ Obtiene o establece el elemento que se encuentra en el índice especificado.
+ El elemento en el índice especificado.
+ Índice de base cero del elemento que se va a obtener o establecer.
+
+ no es un índice válido para .
+ La propiedad está establecida y es de solo lectura.
+
+
+ Quita la primera aparición de un objeto específico de la interfaz .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Controla el modo en que serializa un miembro de enumeración.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase y especifica el valor XML que genera o reconoce al serializar o deserializar la enumeración, respectivamente.
+ Nombre de reemplazo del miembro de enumeración.
+
+
+ Obtiene o establece el valor generado en una instancia de documento XML cuando serializa una enumeración o el valor reconocido cuando deserializa el miembro de enumeración.
+ Valor generado en una instancia de documento XML cuando serializa la enumeración o valor reconocido cuando deserializa el miembro de enumeración.
+
+
+ Instruye al método de para que no serialice el valor de campo público o propiedad pública de lectura/escritura.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Permite que reconozca un tipo al serializar o deserializar un objeto.
+
+
+ Inicializa una nueva instancia de la clase .
+
+ del objeto que se va a incluir.
+
+
+ Obtiene o establece el tipo de objeto que se va a incluir.
+
+ del objeto que se va a incluir.
+
+
+ Especifica que la propiedad, parámetro, valor devuelto o miembro de clase de destino contiene prefijos asociados a espacios de nombres que se utilizan en un documento XML.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Controla la serialización XML del destino de atributo como elemento raíz XML.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase y especifica el nombre del elemento raíz XML.
+ Nombre del elemento raíz XML.
+
+
+ Obtiene o establece el tipo de datos XSD del elemento raíz XML.
+ Tipo de datos de XSD (documento de esquemas XML), tal como se define en el documento "XML Schema: DataTypes" del Consorcio WWC (www.w3.org).
+
+
+ Obtiene o establece el nombre del elemento XML que generan y reconocen los métodos y , respectivamente, de la clase .
+ Nombre del elemento raíz XML generado y reconocido en una instancia de documento XML.El valor predeterminado es el nombre de la clase serializada.
+
+
+ Obtiene o establece un valor que indica si debe serializar un miembro establecido en null en el atributo xsi:nil establecido,a su vez, en true.
+ true si genera el atributo xsi:nil; en caso contrario, false.
+
+
+ Obtiene o establece el espacio de nombres del elemento raíz XML.
+ Espacio de nombres del elemento XML.
+
+
+ Serializa y deserializa objetos en y desde documentos XML. permite controlar el modo en que se codifican los objetos en XML.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase que puede serializar objetos del tipo especificado en documentos XML y deserializar documentos XML en objetos del tipo especificado.
+ El tipo del objeto que este puede serializar.
+
+
+ Inicializa una nueva instancia de la clase que puede serializar objetos del tipo especificado en documentos XML y deserializar documentos XML en objetos del tipo especificado.Especifica el espacio de nombres predeterminado para todos los elementos XML.
+ El tipo del objeto que este puede serializar.
+ Espacio de nombres predeterminado que se utilizará para todos los elementos XML.
+
+
+ Inicializa una nueva instancia de la clase que puede serializar objetos del tipo especificado en documentos XML y deserializar documentos XML en objetos del tipo especificado.Si una propiedad o un campo devuelve una matriz, el parámetro especifica aquellos objetos que pueden insertarse en la matriz.
+ El tipo del objeto que este puede serializar.
+ Matriz de tipos de objeto adicionales que se han de serializar.
+
+
+ Inicializa una nueva instancia de la clase que puede serializar objetos del tipo especificado en documentos XML y deserializar documentos XML en objetos del tipo especificado.Cada objeto que se ha de serializar también puede contener instancias de clases, que esta sobrecarga puede reemplazar con otras clases.
+ Tipo del objeto que se va a serializar.
+ Interfaz .
+
+
+ Inicializa una nueva instancia de la clase que puede serializar objetos del tipo en instancias de documentos XML y deserializar instancias de documentos XML en objetos del tipo .Cada objeto que se ha de serializar también puede contener instancias de clases, que esta sobrecarga reemplaza con otras clases.Esta sobrecarga especifica asimismo el espacio de nombres predeterminado para todos los elementos XML, así como la clase que se ha de utilizar como elemento raíz XML.
+ El tipo del objeto que este puede serializar.
+
+ que extiende o reemplaza el comportamiento de la clase especificada en el parámetro .
+ Matriz de tipos de objeto adicionales que se han de serializar.
+
+ que define las propiedades del elemento raíz XML.
+ Espacio de nombres predeterminado de todos los elementos XML en el documento XML.
+
+
+ Inicializa una nueva instancia de la clase que puede serializar objetos del tipo especificado en documentos XML y deserializar un documento XML en un objeto del tipo especificado.Especifica también la clase que se utilizará como elemento raíz XML.
+ El tipo del objeto que este puede serializar.
+
+ que representa el elemento raíz XML.
+
+
+ Obtiene un valor que indica si este puede deserializar un documento XML especificado.
+ Es true si este puede deserializar el objeto seleccionado por ; en caso contrario, es false.
+
+ que señala el documento que se ha de deserializar.
+
+
+ Deserializa un documento XML que contiene el especificado.
+
+ que se está deserializando.
+
+ que contiene el documento XML que se va a deserializar.
+
+
+ Deserializa un documento XML que contiene el especificado.
+
+ que se está deserializando.
+
+ que contiene el documento XML que se va a deserializar.
+ Se ha producido un error durante la deserialización.La excepción original está disponible mediante la propiedad .
+
+
+ Deserializa un documento XML que contiene el especificado.
+
+ que se está deserializando.
+
+ que contiene el documento XML que se va a deserializar.
+ Se ha producido un error durante la deserialización.La excepción original está disponible mediante la propiedad .
+
+
+ Devuelve una matriz de objetos creada a partir de una matriz de tipos.
+ Matriz de objetos .
+ Matriz de objetos .
+
+
+ Serializa el especificado y escribe el documento XML en un archivo utilizando el especificado.
+
+ que se utiliza para escribir el documento XML.
+
+ que se va a serializar.
+ Se ha producido un error durante la serialización.La excepción original está disponible mediante la propiedad .
+
+
+ Serializa el especificado y escribe el documento XML en un archivo utilizando el especificado, que hace referencia a los espacios de nombres especificados.
+
+ que se utiliza para escribir el documento XML.
+
+ que se va a serializar.
+
+ al que hace referencia el objeto.
+ Se ha producido un error durante la serialización.La excepción original está disponible mediante la propiedad .
+
+
+ Serializa el especificado y escribe el documento XML en un archivo utilizando el especificado.
+
+ que se utiliza para escribir el documento XML.
+
+ que se va a serializar.
+
+
+ Serializa el objeto especificado, escribe el documento XML en un archivo utilizando el objeto especificado y hace referencia a los espacios de nombres especificados.
+
+ que se utiliza para escribir el documento XML.
+
+ que se va a serializar.
+
+ que contiene los espacios de nombres para el documento XML generado.
+ Se ha producido un error durante la serialización.La excepción original está disponible mediante la propiedad .
+
+
+ Serializa el especificado y escribe el documento XML en un archivo utilizando el especificado.
+
+ que se utiliza para escribir el documento XML.
+
+ que se va a serializar.
+ Se ha producido un error durante la serialización.La excepción original está disponible mediante la propiedad .
+
+
+ Serializa el objeto especificado, escribe el documento XML en un archivo utilizando el especificado y hace referencia a los espacios de nombres especificados.
+
+ que se utiliza para escribir el documento XML.
+
+ que se va a serializar.
+
+ al que hace referencia el objeto.
+ Se ha producido un error durante la serialización.La excepción original está disponible mediante la propiedad .
+
+
+ Contiene los espacios de nombres XML y prefijos que utiliza para generar nombres calificados en una instancia de documento XML.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase , utilizando la instancia especificada de XmlSerializerNamespaces que contiene la colección de pares prefijo y espacio de nombres.
+ Una instancia de que contiene los pares de espacio de nombres y prefijo.
+
+
+ Inicializa una nueva instancia de la clase .
+ Matriz de objetos .
+
+
+ Agrega un par de prefijo y espacio de nombres a un objeto .
+ Prefijo asociado a un espacio de nombres XML.
+ Espacio de nombres XML.
+
+
+ Obtiene el número de pares de prefijo y espacio de nombres de la colección.
+ Número de pares de prefijo y espacio de nombres de la colección.
+
+
+ Obtiene la matriz de pares de prefijo y espacio de nombres en un objeto .
+ Matriz de objetos que se utilizan como nombres calificados en un documento XML.
+
+
+ Indica a que el miembro debe tratarse como texto XML cuando se serializa o se deserializa la clase contenedora.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase .
+
+ del miembro que se va a serializar.
+
+
+ Obtiene o establece el tipo de datos XSD (Lenguaje de definición de esquemas XML) del texto generado por .
+ Tipo de datos de esquemas XML (XSD), tal como se define en el documento "XML Schema Part 2: Datatypes" del Consorcio WWC (www.w3.org).
+ El tipo de datos de esquemas XML especificado no se puede asignar al tipo de datos .NET.
+ El tipo de datos de esquemas XML especificado no es válido para la propiedad y no se puede convertir al tipo de miembro.
+
+
+ Obtiene o establece el tipo del miembro.
+
+ del miembro.
+
+
+ Controla el esquema XML generado cuando serializa el destino del atributo.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase y especifica el nombre del tipo XML.
+ Nombre del tipo XML que genera cuando serializa la instancia de clase (y reconoce al deserializar la instancia de clase).
+
+
+ Obtiene o establece un valor que determina si el tipo de esquema resultante es un tipo anónimo del XSD.
+ Es true si el tipo de esquema resultante es un tipo anónimo del XSD; de lo contrario, es false.
+
+
+ Obtiene o establece un valor que indica si se debe incluir el tipo en los documentos de esquema XML.
+ true para incluir el tipo en los documentos de esquema XML; en caso contrario, false.
+
+
+ Obtiene o establece el espacio de nombres del tipo XML.
+ Espacio de nombres del tipo XML.
+
+
+ Obtiene o establece el nombre del tipo XML.
+ Nombre del tipo XML.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/fr/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/fr/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..f28cdb8
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/fr/System.Xml.XmlSerializer.xml
@@ -0,0 +1,966 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ Spécifie que le membre (un champ retournant un tableau d'objets ) peut contenir n'importe quel attribut XML.
+
+
+ Construit une nouvelle instance de la classe .
+
+
+ Spécifie que le membre (un champ retournant un tableau d'objets ou ) contient des objets représentant tout élément XML n'ayant pas de membre correspondant dans l'objet en cours de sérialisation ou de désérialisation.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom d'élément XML généré dans le document XML.
+ Nom de l'élément XML généré par .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom d'élément XML généré dans le document XML, ainsi que son espace de noms XML.
+ Nom de l'élément XML généré par .
+ Espace de noms XML de l'élément XML.
+
+
+ Obtient ou définit le nom de l'élément XML.
+ Nom de l'élément XML.
+ Le nom d'élément d'un membre du tableau ne correspond pas au nom d'élément spécifié par la propriété .
+
+
+ Obtient ou définit l'espace de noms XML généré dans le document XML.
+ Espace de noms XML.
+
+
+ Obtient ou définit l'ordre explicite dans lequel les éléments sont sérialisés ou désérialisés.
+ Ordre de la génération du code.
+
+
+ Représente une collection d'objets .
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Ajoute un à la collection.
+ Index du nouvellement ajouté.
+
+ à ajouter.
+
+
+ Supprime tous les objets de .Elle ne peut pas être substituée.
+
+
+ Obtient une valeur qui indique si le spécifié existe dans la collection.
+ true si existe dans la collection ; sinon, false.
+
+ qui vous intéresse.
+
+
+ Copie l'ensemble de la collection dans un tableau à une dimension des objets , en démarrant dans l'index spécifié du tableau cible.
+ Tableau d'objets unidimensionnel, qui constitue la destination des éléments copiés à partir de la collection.Ce tableau doit avoir une indexation de base zéro.
+ Index de base zéro dans à partir duquel la copie commence.
+
+
+ Obtient le nombre d'éléments contenus dans l'instance de .
+ Nombre d'éléments contenus dans l'instance de .
+
+
+ Retourne un énumérateur qui itère au sein de .
+ Énumérateur qui itère au sein de .
+
+
+ Obtient l'index du spécifié.
+ Index du spécifié.
+
+ dont vous souhaitez obtenir l'index.
+
+
+ Insère un dans la collection, à l'index spécifié.
+ Index auquel sera inséré.
+
+ à insérer.
+
+
+ Obtient ou définit à l'index spécifié.
+
+ à l'index spécifié.
+ Index de .
+
+
+ Supprime le spécifié de la collection.
+
+ à supprimer.
+
+
+ Supprime l'élément au niveau de l'index spécifié de .Elle ne peut pas être substituée.
+ Index de l'élément à supprimer.
+
+
+ Copie l'ensemble de la collection dans un tableau à une dimension des objets , en démarrant dans l'index spécifié du tableau cible.
+ Tableau unidimensionnel.
+ L'index spécifié.
+
+
+ Obtient une valeur indiquant si l'accès à est synchronisé (thread-safe).
+ True si l'accès à est synchronisé ; sinon, false.
+
+
+ Obtient un objet qui peut être utilisé pour synchroniser l'accès à .
+ Objet qui peut être utilisé pour synchroniser l'accès à .
+
+
+ Ajoute un objet à la fin de .
+ Objet ajoutés à la collection.
+ Valeur de l'objet à ajouter à la collection.
+
+
+ Détermine si contient un élément spécifique.
+ True si le contient un élément spécifique ; sinon false.
+ Valeur de l'élément.
+
+
+ Recherche l'Objet spécifié et retourne l'index de base zéro de la première occurrence dans l'ensemble du .
+ Index de base zéro de l'objet.
+ Valeur de l'objet.
+
+
+ Insère un élément dans à l'index spécifié.
+ Index de l'élément qui sera inséré.
+ Valeur de l'élément.
+
+
+ Obtient une valeur indiquant si est de taille fixe.
+ True si est de taille fixe ; sinon, false.
+
+
+ Obtient une valeur indiquant si est en lecture seule.
+ True si est en lecture seule ; sinon, false.
+
+
+ Obtient ou définit l'élément situé à l'index spécifié.
+ Élément situé à l'index spécifié.
+ Index de l'élément.
+
+
+ Supprime la première occurrence d'un objet spécifique de .
+ Valeur de l'objet supprimé.
+
+
+ Spécifie que doit sérialiser un membre de classe particulier en tant que tableau d'éléments XML.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom d'élément XML généré dans le document XML.
+ Nom de l'élément XML généré par .
+
+
+ Obtient ou définit le nom d'élément XML donné au tableau sérialisé.
+ Nom d'élément XML du tableau sérialisé.Par défaut, il s'agit du nom du membre auquel est assigné.
+
+
+ Obtient ou définit une valeur qui indique si le nom d'élément XML généré par est qualifié ou non.
+ Une des valeurs de .La valeur par défaut est XmlSchemaForm.None.
+
+
+ Obtient ou définit une valeur qui indique si le doit sérialiser un membre comme balise XML vide lorsque l'attribut xsi:nil a la valeur true.
+ true si génère l'attribut xsi:nil ; false sinon.
+
+
+ Obtient ou définit l'espace de noms de l'élément XML.
+ Espace de noms de l'élément XML.
+
+
+ Obtient ou définit l'ordre explicite dans lequel les éléments sont sérialisés ou désérialisés.
+ Ordre de la génération du code.
+
+
+ Représente un attribut qui spécifie les types dérivés que le peut placer dans un tableau sérialisé.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom de l'élément XML généré dans le document XML.
+ Nom de l'élément XML.
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom de l'élément XML généré dans le document XML et le qui peut être inséré dans le document XML généré.
+ Nom de l'élément XML.
+
+ de l'objet à sérialiser.
+
+
+ Initialise une nouvelle instance de la classe et spécifie le qui peut être inséré dans le tableau sérialisé.
+
+ de l'objet à sérialiser.
+
+
+ Obtient ou définit le type de données XML de l'élément XML généré.
+ Type de données XSD (XML Schema Definition), défini par le document du World Wide Web Consortium (www.w3.org) intitulé « XML Schema Part 2: Datatypes ».
+
+
+ Obtient ou définit le nom de l'élément XML généré.
+ Nom de l'élément XML généré.Par défaut, il s'agit de l'identificateur du membre.
+
+
+ Obtient ou définit une valeur qui indique si le nom de l'élément XML généré est qualifié.
+ Une des valeurs de .La valeur par défaut est XmlSchemaForm.None.
+ La propriété est définie avec la valeur XmlSchemaForm.Unqualified et une valeur est spécifiée.
+
+
+ Obtient ou définit une valeur qui indique si le doit sérialiser un membre comme balise XML vide lorsque l'attribut xsi:nil a la valeur true.
+ true si génère l'attribut xsi:nil ; sinon, false et aucune instance n'est générée.La valeur par défaut est true.
+
+
+ Obtient ou définit l'espace de noms de l'élément XML généré.
+ Espace de noms de l'élément XML généré.
+
+
+ Obtient ou définit le niveau dans une hiérarchie d'éléments XML affectés par .
+ Index de base zéro d'un ensemble d'index dans un tableau de tableaux.
+
+
+ Obtient ou définit le type autorisé dans un tableau.
+
+ autorisé dans le tableau.
+
+
+ Représente une collection d'objets .
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Ajoute un à la collection.
+ Index de l'élément ajouté.
+
+ à ajouter à la collection.
+
+
+ Supprime tous les éléments de .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Détermine si la collection contient le spécifié.
+ true si la collection contient le spécifié ; sinon, false.
+
+ à vérifier.
+
+
+ Copie un tableau dans la collection, en commençant à l'index spécifié.
+ Tableau d'objets à copier dans la collection.
+ Index à partir duquel les attributs commencent.
+
+
+ Obtient le nombre d'éléments contenus dans le .
+ Nombre d'éléments contenus dans .
+
+
+ Retourne un énumérateur pour l'intégralité de .
+ Un pour l'intégralité de .
+
+
+ Retourne l'index de base zéro de la première occurrence du spécifié dans la collection ou -1 si l'attribut n'est pas trouvé dans la collection.
+ Premier index du dans la collection ou -1 si l'attribut n'est pas trouvé dans la collection.
+
+ à trouver dans la collection.
+
+
+ Insère dans la collection, à l'index spécifié.
+ L'index dans lequel l'attribut est inséré.
+
+ à insérer.
+
+
+ Obtient ou définit l'élément à l'index spécifié.
+
+ à l'index spécifié.
+ Index de base zéro du membre de la collection à obtenir ou définir.
+
+
+ Supprime un de la collection, s'il en existe.
+
+ à supprimer.
+
+
+ Supprime l'élément au niveau de l'index spécifié.
+ Index de base zéro de l'élément à supprimer.
+
+ n'est pas un index valide dans .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Copie l'ensemble de l'objet vers un objet unidimensionnel compatible, en commençant à l'index spécifié du tableau cible.
+
+ unidimensionnel qui constitue la destination des éléments copiés à partir d'. doit avoir une indexation de base zéro.
+
+
+ Obtient une valeur indiquant si l'accès à est synchronisé (thread-safe).
+ true si l'accès à est synchronisé (thread-safe) ; sinon false.
+
+
+
+ Ajoute un objet à la fin de .
+ Index auquel a été ajouté.
+
+ à ajouter à la fin de .La valeur peut être null.
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Détermine si la collection contient le spécifié.
+ true si la collection contient le spécifié ; sinon, false.
+
+
+ Retourne l'index de base zéro de la première occurrence du spécifié dans la collection ou -1 si l'attribut n'est pas trouvé dans la collection.
+ Premier index du dans la collection ou -1 si l'attribut n'est pas trouvé dans la collection.
+
+
+ Insère un élément dans à l'index spécifié.
+ Index de base zéro auquel doit être inséré.
+
+ à insérer.La valeur peut être null.
+
+ est inférieur à zéro.ou est supérieur à .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Obtient une valeur indiquant si est de taille fixe.
+ true si est de taille fixe ; sinon, false.
+
+
+ Obtient une valeur indiquant si est en lecture seule.
+ true si est en lecture seule ; sinon, false.
+
+
+ Obtient ou définit l'élément à l'index spécifié.
+
+ à l'index spécifié.
+ Index de base zéro du membre de la collection à obtenir ou définir.
+
+
+ Supprime la première occurrence d'un objet spécifique de .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Spécifie que doit sérialiser le membre de classe comme un attribut XML.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom de l'attribut XML généré.
+ Nom de l'attribut XML généré par .
+
+
+ Initialise une nouvelle instance de la classe .
+ Nom de l'attribut XML généré.
+
+ utilisé pour stocker l'attribut.
+
+
+ Initialise une nouvelle instance de la classe .
+
+ utilisé pour stocker l'attribut.
+
+
+ Obtient ou définit le nom de l'attribut XML.
+ Nom de l'attribut XML.La valeur par défaut est le nom du membre.
+
+
+ Obtient ou définit le type de données XSD de l'attribut XML généré par .
+ Type de données XSD (XML Schema Definition), défini par le document du World Wide Web Consortium (www.w3.org) intitulé « XML Schema: Datatypes ».
+
+
+ Obtient ou définit une valeur qui indique si le nom d'attribut XML généré par est qualifié.
+ Une des valeurs de .La valeur par défaut est XmlForm.None.
+
+
+ Obtient ou définit l'espace de noms XML de l'attribut XML.
+ Espace de noms XML de l'attribut XML.
+
+
+ Obtient ou définit le type complexe de l'attribut XML.
+ Type de l'attribut XML.
+
+
+ Permet de substituer des attributs de propriété, de champ et de classe lorsque vous utilisez pour sérialiser ou désérialiser un objet.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Ajoute un objet à la collection d'objets .Le paramètre spécifie l'objet qui sera substitué.Le paramètre spécifie le nom du membre à substituer.
+
+ de l'objet à substituer.
+ Nom du membre à substituer.
+ Objet qui représente les attributs de substitution.
+
+
+ Ajoute un objet à la collection d'objets .Le paramètre spécifie l'objet auquel se substituera l'objet .
+
+ de l'objet à substituer.
+ Objet qui représente les attributs de substitution.
+
+
+ Obtient l'objet associé au type spécifié de classe de base.
+
+ qui représente la collection d'attributs de substitution.
+
+ de la classe de base associée à la collection d'attributs à récupérer.
+
+
+ Obtient l'objet associé au type spécifié de classe de base.Le paramètre relatif au membre indique le membre de la classe de base qui est substitué.
+
+ qui représente la collection d'attributs de substitution.
+
+ de la classe de base associé à la collection d'attributs souhaitée.
+ Nom du membre substitué qui spécifie les à retourner.
+
+
+ Représente une collection d'objets attributs qui contrôlent la manière dont sérialise et désérialise un objet.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Obtient ou définit le à substituer.
+
+ à substituer.
+
+
+ Obtient la collection d'objets à substituer.
+ Objet représentant la collection d'objets .
+
+
+ Obtient ou définit un objet qui spécifie la façon dont sérialise un champ public ou une propriété en lecture/écriture publique retournant un tableau.
+
+ qui spécifie la façon dont sérialise un champ public ou une propriété en lecture/écriture publique qui retourne un tableau.
+
+
+ Obtient ou définit une collection d'objets qui spécifient comment sérialise les éléments qui sont insérés dans un tableau retourné par un champ public ou une propriété en lecture/écriture publique.
+ Objet qui contient une collection d'objets .
+
+
+ Obtient ou définit un objet qui spécifie la façon dont sérialise un champ public ou une propriété en lecture/écriture publique comme un attribut XML.
+
+ qui contrôle la sérialisation d'un champ public ou d'une propriété en lecture/écriture publique en tant qu'attribut XML.
+
+
+ Obtient ou définit un objet qui vous permet de faire la différence entre plusieurs options.
+
+ pouvant être appliqué à un membre de la classe sérialisé en tant qu'élément xsi:choice.
+
+
+ Obtient ou définit la valeur par défaut d'un élément XML ou d'un attribut XML.
+
+ qui représente la valeur par défaut d'un élément XML ou d'un attribut XML.
+
+
+ Obtient une collection d'objets qui spécifient comment sérialise un champ public ou une propriété en lecture/écriture publique en tant qu'élément XML.
+
+ qui contient une collection d'objets .
+
+
+ Obtient ou définit un objet qui spécifie la façon dont sérialise un membre de l'énumération.
+
+ qui spécifie la façon dont sérialise un membre de l'énumération.
+
+
+ Obtient ou définit une valeur qui spécifie si sérialise ou non un champ public ou une propriété en lecture/écriture publique.
+ true si ne doit pas sérialiser le champ ou la propriété ; sinon, false.
+
+
+ Obtient ou définit une valeur spécifiant si toutes les déclarations d'espace de noms doivent être conservées lors de substitution d'un objet qui contient un membre retournant un objet .
+ true si les déclarations d'espace de noms doivent être conservées ; sinon false.
+
+
+ Obtient ou définit un objet qui spécifie la façon dont sérialise une classe comme élément racine XML.
+
+ qui substitue une classe attribuée comme élément racine XML.
+
+
+ Obtient ou définit un objet qui commande à de sérialiser un champ public ou une propriété en lecture/écriture publique comme texte XML.
+
+ qui substitue la sérialisation par défaut d'une propriété publique ou d'un champ public.
+
+
+ Obtient ou définit un objet qui spécifie la façon dont sérialise une classe à laquelle a été appliqué.
+
+ qui substitue un attribut appliqué à une déclaration de classe.
+
+
+ Spécifie qu'il est possible d'utiliser une énumération pour détecter le membre.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe .
+ Nom du membre qui retourne l'énumération utilisée pour détecter un choix.
+
+
+ Obtient ou définit le nom du champ qui retourne l'énumération à utiliser lors de la détection des types.
+ Le nom d'un champ qui retourne une énumération.
+
+
+ Indique qu'un champ public ou une propriété publique représente un élément XML lorsque sérialise ou désérialise l'objet qui le contient.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom de l'élément XML.
+ Nom de l'élément XML du membre sérialisé.
+
+
+ Initialise une nouvelle instance de et spécifie le nom de l'élément XML et un type dérivé pour le membre auquel est appliqué.Ce type de membre est utilisé lorsque sérialise l'objet qui le contient.
+ Nom de l'élément XML du membre sérialisé.
+
+ d'un objet dérivé du type du membre.
+
+
+ Initialise une nouvelle instance de la classe et spécifie un type pour le membre auquel est appliqué.Ce type est utilisé par lors de la sérialisation ou la désérialisation de l'objet qui le contient.
+
+ d'un objet dérivé du type du membre.
+
+
+ Obtient ou définit le type de données XSD (XML Schema Definition) de l'élément XML généré par .
+ Type de données de schéma XML, tel que défini par le document du W3C (www.w3.org ) intitulé « XML Schema Part 2: Datatypes ».
+ Le type de données de schéma XML que vous avez spécifié ne peut pas être mappé au type de données .NET.
+
+
+ Obtient ou définit le nom de l'élément XML généré.
+ Nom de l'élément XML généré.Par défaut, il s'agit de l'identificateur du membre.
+
+
+ Obtient ou définit une valeur qui indique si l'élément est qualifié.
+ Une des valeurs de .La valeur par défaut est .
+
+
+ Obtient ou définit une valeur qui indique si doit sérialiser un membre dont la valeur est null comme balise vide avec l'attribut xsi:nil ayant la valeur true.
+ true si génère l'attribut xsi:nil ; false sinon.
+
+
+ Obtient ou définit l'espace de noms assigné à l'élément XML obtenu lorsque la classe est sérialisée.
+ Espace de noms de l'élément XML.
+
+
+ Obtient ou définit l'ordre explicite dans lequel les éléments sont sérialisés ou désérialisés.
+ Ordre de la génération du code.
+
+
+ Obtient ou définit le type d'objet utilisé pour représenter l'élément XML.
+
+ du membre.
+
+
+ Représente une collection d'objets utilisée par pour substituer la sérialisation par défaut d'une classe.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Ajoute un à la collection.
+ Index de base zéro du nouvel élément ajouté.
+
+ à ajouter.
+
+
+ Supprime tous les éléments de .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Détermine si la collection contient l'objet spécifié.
+ true si l'objet existe dans la collection, sinon false.
+
+ à rechercher.
+
+
+ Copie ou une partie de celui-ci dans un tableau unidimensionnel.
+ Tableau pour contenir les éléments copiés.
+ Index de base zéro dans à partir duquel la copie commence.
+
+
+ Obtient le nombre d'éléments contenus dans le .
+ Nombre d'éléments contenus dans .
+
+
+ Retourne un énumérateur pour l'intégralité de .
+ Un pour l'intégralité de .
+
+
+ Obtient l'index du spécifié.
+ Index de base zéro de .
+ Objet dont l'index est en cours de récupération.
+
+
+ Insère un dans la collection.
+ Index de base zéro au niveau duquel le membre est inséré.
+
+ à insérer.
+
+
+ Obtient ou définit l'élément situé à l'index spécifié.
+ Élément situé à l'index spécifié.
+ Index de base zéro de l'élément à obtenir ou définir.
+
+ n'est pas un index valide dans .
+ La propriété est définie et est en lecture seule.
+
+
+ Supprime l'objet spécifié de la collection.
+
+ à supprimer de la collection.
+
+
+ Supprime l'élément au niveau de l'index spécifié.
+ Index de base zéro de l'élément à supprimer.
+
+ n'est pas un index valide dans .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Copie l'ensemble de l'objet vers un objet unidimensionnel compatible, en commençant à l'index spécifié du tableau cible.
+
+ unidimensionnel qui constitue la destination des éléments copiés à partir d'. doit avoir une indexation de base zéro.
+
+
+ Obtient une valeur indiquant si l'accès à est synchronisé (thread-safe).
+ true si l'accès à est synchronisé (thread-safe) ; sinon false.
+
+
+ Obtient un objet qui peut être utilisé pour synchroniser l'accès à .
+ Objet qui peut être utilisé pour synchroniser l'accès à .
+
+
+ Ajoute un objet à la fin de .
+ Index auquel a été ajouté.
+
+ à ajouter à la fin de .La valeur peut être null.
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Détermine si contient une valeur spécifique.
+ true si se trouve dans ; sinon, false.
+ Objet à trouver dans .
+
+
+ Détermine l'index d'un élément spécifique de .
+ Index de s'il figure dans la liste ; sinon, -1.
+ Objet à trouver dans .
+
+
+ Insère un élément dans à l'index spécifié.
+ Index de base zéro auquel doit être inséré.
+
+ à insérer.La valeur peut être null.
+
+ est inférieur à zéro.ou est supérieur à .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Obtient une valeur indiquant si est de taille fixe.
+ true si est de taille fixe ; sinon, false.
+
+
+ Obtient une valeur indiquant si est en lecture seule.
+ true si est en lecture seule ; sinon, false.
+
+
+ Obtient ou définit l'élément situé à l'index spécifié.
+ Élément situé à l'index spécifié.
+ Index de base zéro de l'élément à obtenir ou définir.
+
+ n'est pas un index valide dans .
+ La propriété est définie et est en lecture seule.
+
+
+ Supprime la première occurrence d'un objet spécifique de .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Contrôle la manière dont sérialise un membre de l'énumération.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie la valeur XML que génère ou reconnaît (selon qu'il sérialise ou désérialise l'énumération, respectivement).
+ Nom de substitution pour le membre de l'énumération.
+
+
+ Obtient ou définit la valeur générée dans une instance de document XML lorsque sérialise une énumération ou la valeur reconnue lors de la désérialisation du membre de l'énumération.
+ Valeur générée dans une instance de document XML lorsque sérialise l'énumération ou valeur reconnue lors de la désérialisation du membre de l'énumération.
+
+
+ Commande à la méthode de de ne pas sérialiser la valeur du champ public ou de la propriété en lecture/écriture publique.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Permet à de reconnaître un type lorsqu'il sérialise ou désérialise un objet.
+
+
+ Initialise une nouvelle instance de la classe .
+
+ de l'objet à inclure.
+
+
+ Obtient ou définit le type de l'objet à inclure.
+
+ de l'objet à inclure.
+
+
+ Spécifie que la propriété, le paramètre, la valeur de retour ou le membre de classe cible contient des préfixes associés aux espaces de noms utilisés dans un document XML.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Contrôle la sérialisation XML de l'attribut cible en tant qu'élément racine XML.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom de l'élément racine XML.
+ Nom de l'élément racine XML.
+
+
+ Obtient ou définit le type de données XSD de l'élément racine XML.
+ Type de données XSD (XML Schema Definition), défini par le document du World Wide Web Consortium (www.w3.org) intitulé « XML Schema: Datatypes ».
+
+
+ Obtient ou définit le nom de l'élément XML qui est généré et reconnu, respectivement, par les méthodes et de la classe .
+ Nom de l'élément racine XML qui est généré et reconnu dans une instance de document XML.Par défaut, il s'agit du nom de la classe sérialisée.
+
+
+ Obtient ou définit une valeur qui indique si doit sérialiser un membre qui est null en un attribut xsi:nil dont la valeur est true.
+ true si génère l'attribut xsi:nil ; false sinon.
+
+
+ Obtient ou définit l'espace de noms de l'élément racine XML.
+ Espace de noms de l'élément XML.
+
+
+ Sérialise et désérialise des objets dans des documents XML ou à partir de documents XML. permet de contrôler le mode d'encodage des objets en langage XML.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe qui peut sérialiser les objets du type spécifié en documents XML et désérialiser les documents XML en objets du type spécifié.
+ Type de l'objet que peut sérialiser.
+
+
+ Initialise une nouvelle instance de la classe qui peut sérialiser les objets du type spécifié en documents XML et désérialiser les documents XML en objets du type spécifié.Spécifie l'espace de noms par défaut de tous les éléments XML.
+ Type de l'objet que peut sérialiser.
+ Espace de noms par défaut à utiliser pour tous les éléments XML.
+
+
+ Initialise une nouvelle instance de la classe qui peut sérialiser les objets du type spécifié en documents XML et désérialiser les documents XML en objets du type spécifié.Si une propriété ou un champ retourne un tableau, le paramètre spécifie les objets pouvant être insérés dans ce tableau.
+ Type de l'objet que peut sérialiser.
+ Tableau de types d'objets supplémentaires à sérialiser.
+
+
+ Initialise une nouvelle instance de la classe qui peut sérialiser les objets du type spécifié en documents XML et désérialiser les documents XML en objets du type spécifié.Chaque objet à sérialiser peut lui-même contenir des instances de classes auxquelles cette surcharge peut substituer d'autres classes.
+ Type de l'objet à sérialiser.
+ Élément .
+
+
+ Initialise une nouvelle instance de la classe qui peut sérialiser les objets du type en documents XML et désérialiser, les documents XML en objets du type .Chaque objet à sérialiser peut lui-même contenir des instances de classes auxquelles cette surcharge peut substituer d'autres classes.Cette surcharge spécifie également l'espace de noms par défaut de tous les éléments XML ainsi que la classe à utiliser en tant qu'élément racine XML.
+ Type de l'objet que peut sérialiser.
+
+ qui étend ou substitue le comportement de la classe spécifiée par le paramètre .
+ Tableau de types d'objets supplémentaires à sérialiser.
+
+ qui définit les propriétés de l'élément racine XML.
+ Espace de noms par défaut de tous les éléments XML dans le document XML.
+
+
+ Initialise une nouvelle instance de la classe qui peut sérialiser les objets du type spécifié en documents XML et désérialiser les documents XML en objets du type spécifié.Spécifie également la classe à utiliser en tant qu'élément racine XML.
+ Type de l'objet que peut sérialiser.
+
+ qui représente l'élément racine XML.
+
+
+ Obtient une valeur qui indique si peut désérialiser un document XML spécifié.
+ true si ce peut désérialiser l'objet vers lequel pointe ; sinon, false.
+
+ qui pointe vers le document à désérialiser.
+
+
+ Désérialise le document XML qui figure dans le spécifié.
+
+ en cours de désérialisation.
+
+ qui contient le document XML à désérialiser.
+
+
+ Désérialise le document XML qui figure dans le spécifié.
+
+ en cours de désérialisation.
+
+ qui contient le document XML à désérialiser.
+ Une erreur s'est produite lors de la désérialisation.L'exception d'origine est disponible via l'utilisation de la propriété .
+
+
+ Désérialise le document XML qui figure dans le spécifié.
+
+ en cours de désérialisation.
+
+ qui contient le document XML à désérialiser.
+ Une erreur s'est produite lors de la désérialisation.L'exception d'origine est disponible via l'utilisation de la propriété .
+
+
+ Retourne un tableau d'objets créés à partir d'un tableau de types.
+ Tableau d'objets .
+ Tableau d'objets .
+
+
+ Sérialise le spécifié et écrit le document XML dans un fichier à l'aide du spécifié.
+
+ qui permet d'écrire le document XML.
+
+ à sérialiser.
+ Une erreur s'est produite lors de la sérialisation.L'exception d'origine est disponible via l'utilisation de la propriété .
+
+
+ Sérialise le spécifié et écrit le document XML dans un fichier à l'aide du spécifié qui référence les espaces de noms spécifiés.
+
+ qui permet d'écrire le document XML.
+
+ à sérialiser.
+
+ référencé par l'objet.
+ Une erreur s'est produite lors de la sérialisation.L'exception d'origine est disponible via l'utilisation de la propriété .
+
+
+ Sérialise le spécifié et écrit le document XML dans un fichier à l'aide du spécifié.
+
+ qui permet d'écrire le document XML.
+
+ à sérialiser.
+
+
+ Sérialise le spécifié et écrit le document XML dans un fichier à l'aide du spécifié qui référence les espaces de noms spécifiés.
+
+ qui permet d'écrire le document XML.
+
+ à sérialiser.
+
+ qui contient les espaces de noms du document XML généré.
+ Une erreur s'est produite lors de la sérialisation.L'exception d'origine est disponible via l'utilisation de la propriété .
+
+
+ Sérialise le spécifié et écrit le document XML dans un fichier à l'aide du spécifié.
+
+ qui permet d'écrire le document XML.
+
+ à sérialiser.
+ Une erreur s'est produite lors de la sérialisation.L'exception d'origine est disponible via l'utilisation de la propriété .
+
+
+ Sérialise le spécifié et écrit le document XML dans un fichier à l'aide du spécifié qui référence les espaces de noms spécifiés.
+
+ qui permet d'écrire le document XML.
+
+ à sérialiser.
+
+ référencé par l'objet.
+ Une erreur s'est produite lors de la sérialisation.L'exception d'origine est disponible via l'utilisation de la propriété .
+
+
+ Contient les espaces de noms et préfixes XML utilisés par pour générer des noms qualifiés dans une instance de document XML.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe , à l'aide de l'instance spécifiée de XmlSerializerNamespaces contenant la collection de paires préfixe-espace de noms.
+ Instance de contenant les paires espace de noms-préfixe.
+
+
+ Initialise une nouvelle instance de la classe .
+ Tableau d'objets .
+
+
+ Ajoute une paire préfixe/espace de noms à un objet .
+ Préfixe associé à un espace de noms XML.
+ Espace de noms XML.
+
+
+ Obtient le nombre de paires préfixe/espace de noms dans la collection.
+ Nombre de paires préfixe/espace de noms dans la collection.
+
+
+ Obtient le tableau de paires préfixe/espace de noms dans un objet .
+ Tableau d'objets utilisés en tant que noms qualifiés dans un document XML.
+
+
+ Indique à que le membre doit être traité comme du texte XML lorsque la classe qui le contient est sérialisée ou désérialisée.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe .
+
+ du membre à sérialiser.
+
+
+ Obtient ou définit le type de données XSD (XML Schema Definition) du texte généré par .
+ Type de données XSD (XML Schema Definition), défini par le document du World Wide Web Consortium (www.w3.org) intitulé « XML Schema Part 2: Datatypes ».
+ Le type de données de schéma XML que vous avez spécifié ne peut pas être mappé au type de données .NET.
+ Le type de donnée de schéma XML que vous avez spécifié n'est pas valide pour la propriété et ne peut pas être converti dans le type du membre.
+
+
+ Obtient ou définit le type du membre.
+
+ du membre.
+
+
+ Contrôle le schéma XML qui est généré lorsque la cible de l'attribut est sérialisée par .
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom du type XML.
+ Nom du type XML que génère lorsqu'il sérialise l'instance de classe (et reconnaît lorsqu'il désérialise l'instance de classe).
+
+
+ Obtient ou définit une valeur qui détermine si le type de schéma résultant est un type anonyme XSD.
+ true, si le type de schéma résultant est un type anonyme XSD ; sinon, false.
+
+
+ Obtient ou définit une valeur qui indique si le type doit être inclus dans les documents du schéma XML.
+ true pour inclure le type dans les documents de schéma XML, sinon false.
+
+
+ Obtient ou définit l'espace de noms du type XML.
+ Espace de noms du type XML.
+
+
+ Obtient ou définit le nom du type XML.
+ Nom du type XML.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/it/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/it/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..427e83b
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/it/System.Xml.XmlSerializer.xml
@@ -0,0 +1,908 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ Consente di specificare l'inserimento di qualsiasi attributo XML nel membro, ovvero in un campo che restituisce una matrice di oggetti .
+
+
+ Consente di creare una nuova istanza della classe .
+
+
+ Specifica che il membro, ovvero un campo che restituisce una matrice di oggetti o , può contenere oggetti che rappresentano qualsiasi elemento XML privo di membro corrispondente nell'oggetto da serializzare o deserializzare.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il nome dell'elemento XML generato nel documento XML.
+ Il nome dell'elemento XML generato dalla classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il nome dell'elemento XML generato nel documento XML e il relativo spazio dei nomi XML.
+ Il nome dell'elemento XML generato dalla classe .
+ Lo spazio dei nomi XML dell'elemento XML.
+
+
+ Ottiene o imposta il nome dell'elemento XML.
+ Il nome dell'elemento XML.
+ Il nome di elemento di un membro di matrice non corrisponde al nome di elemento specificato nella proprietà .
+
+
+ Ottiene o imposta lo spazio dei nomi XML generato nel documento XML.
+ Uno spazio dei nomi XML.
+
+
+ Ottiene o imposta l'ordine esplicito in cui gli elementi vengono serializzati o deserializzati.
+ Ordine di generazione del codice.
+
+
+ Rappresenta una raccolta di oggetti .
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Aggiunge all'insieme.
+ L'indice della classe appena aggiunta.
+ Oggetto da aggiungere.
+
+
+ Rimuove tutti gli oggetti dall'oggetto .Questo metodo non può essere sottoposto a override.
+
+
+ Ottiene un valore che indica se l'oggetto specificato è presente nell'insieme.
+ true se la classe è presente nell'insieme; in caso contrario, false.
+ La classe in questione.
+
+
+ Copia l'intero insieme in una matrice unidimensionale compatibile di oggetti , a partire dall'indice specificato della matrice di destinazione.
+ Matrice unidimensionale di oggetti che costituisce la destinazione degli elementi copiati dall'insieme.L'indicizzazione della matrice deve essere in base zero.
+ Indice in base zero della matrice specificata nel parametro in corrispondenza del quale ha inizio la copia.
+
+
+ Ottiene il numero di elementi contenuti nell'istanza .
+ Il numero di elementi contenuti nell'istanza .
+
+
+ Restituisce un enumeratore che scorre la classe .
+ Enumeratore che scorre .
+
+
+ Ottiene l'indice della classe specificata.
+ Indice dell'oggetto specificato.
+ La classe della quale si desidera l'indice.
+
+
+ Inserisce nell'insieme in corrispondenza dell'indice specificato.
+ Indice in cui viene inserito .
+ Oggetto da inserire.
+
+
+ Ottiene o imposta in corrispondenza dell'indice specificato.
+ Oggetto in corrispondenza dell'indice specificato.
+ Indice dell'oggetto .
+
+
+ Rimuove la classe specificata dall'insieme.
+ La classe da rimuovere.
+
+
+ Consente di rimuovere l'elemento in corrispondenza dell'indice specificato di .Questo metodo non può essere sottoposto a override.
+ Indice dell'elemento da rimuovere.
+
+
+ Copia l'intero insieme in una matrice unidimensionale compatibile di oggetti , a partire dall'indice specificato della matrice di destinazione.
+ Matrice unidimensionale.
+ Indice specificato.
+
+
+ Ottiene un valore che indica se l'accesso a è sincronizzato (thread-safe).
+ True se l'accesso alla classe è sincronizzato, in caso contrario false.
+
+
+ Ottiene un oggetto che può essere utilizzato per sincronizzare l'accesso a .
+ Oggetto che può essere utilizzato per sincronizzare l'accesso a .
+
+
+ Aggiunge un oggetto alla fine di .
+ Oggetto aggiunto alla raccolta.
+ Il valore dell'oggetto da aggiungere alla raccolta.
+
+
+ Consente di stabilire se contiene un elemento specifico.
+ True se l'oggetto contiene un elemento specifico; in caso contrario, false.
+ Valore dell'elemento.
+
+
+ Cerca l'oggetto specificato e restituisce l'indice in base zero della prima occorrenza nell'intera classe .
+ Indice in base zero di un oggetto.
+ Valore dell'oggetto.
+
+
+ Consente di inserire un elemento in in corrispondenza dell'indice specificato.
+ L'indice in cui verrà inserito l'elemento.
+ Valore dell'elemento.
+
+
+ Ottiene un valore che indica se è a dimensione fissa.
+ True se è di dimensioni fisse; in caso contrario, false.
+
+
+ Ottiene un valore che indica se è di sola lettura.
+ True se è di sola lettura. In caso contrario, false.
+
+
+ Ottiene o imposta l'elemento in corrispondenza dell'indice specificato.
+ Elemento in corrispondenza dell'indice specificato.
+ Indice dell'elemento.
+
+
+ Rimuove la prima occorrenza di un oggetto specifico dall'interfaccia .
+ Valore dell'oggetto rimosso.
+
+
+ Specifica che deve serializzare un determinato membro della classe come matrice di elementi XML.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il nome dell'elemento XML generato nell'istanza di documento XML.
+ Il nome dell'elemento XML generato dalla classe .
+
+
+ Recupera o imposta il nome dell'elemento XML associato alla matrice serializzata.
+ Il nome dell'elemento XML della matrice serializzata.Il valore predefinito è il nome del membro al quale è assegnato .
+
+
+ Ottiene o imposta un valore che indica se il nome dell'elemento XML generato da è completo o non qualificato.
+ Uno dei valori di .Il valore predefinito è XmlSchemaForm.None.
+
+
+ Ottiene o imposta un valore che indica se deve serializzare un membro come un tag XML vuoto con l'attributo xsi:nil impostato su true.
+ true se l'attributo xsi:nil viene generato dalla classe ; in caso contrario, false.
+
+
+ Ottiene o imposta lo spazio dei nomi dell'elemento XML.
+ Lo spazio dei nomi dell'elemento XML.
+
+
+ Ottiene o imposta l'ordine esplicito in cui gli elementi vengono serializzati o deserializzati.
+ Ordine di generazione del codice.
+
+
+ Rappresenta un attributo che specifica i tipi derivati che può inserire in una matrice serializzata.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il nome dell'elemento XML generato nel documento XML.
+ Il nome dell'elemento XML.
+
+
+ Inizializza una nuova istanza della classe e specifica il nome dell'elemento XML generato nel documento XML e il che può essere inserito nel documento XML generato.
+ Il nome dell'elemento XML.
+
+ dell'oggetto da serializzare.
+
+
+ Inizializza una nuova istanza della classe e specifica il che può essere inserito nella matrice serializzata.
+
+ dell'oggetto da serializzare.
+
+
+ Ottiene o imposta il tipo di dati XML dell'elemento XML generato.
+ Un tipo di dati XSD (XML Schema Definition) secondo la definizione fornita da World Wide Web Consortium (www.w3.org) nel documento "XML Schema Part 2: DataTypes".
+
+
+ Ottiene o imposta il nome dell'elemento XML generato.
+ Il nome dell'elemento XML generato.Il valore predefinito è l'identificatore del membro.
+
+
+ Ottiene o imposta un valore che indica se il nome dell'elemento XML generato è completo.
+ Uno dei valori di .Il valore predefinito è XmlSchemaForm.None.
+ La proprietà è impostata su XmlSchemaForm.Unqualified e viene specificato un valore .
+
+
+ Ottiene o imposta un valore che indica se deve serializzare un membro come un tag XML vuoto con l'attributo xsi:nil impostato su true.
+ true se genera l'attributo xsi:nil; in caso contrario, false e non viene generata alcuna istanza.Il valore predefinito è true.
+
+
+ Ottiene o imposta lo spazio dei nomi dell'elemento XML generato.
+ Lo spazio dei nomi dell'elemento XML generato.
+
+
+ Ottiene o imposta il livello in una gerarchia di elementi XML interessati dall'.
+ Indice con inizio zero di un gruppo di indici in una matrice di matrici.
+
+
+ Ottiene o imposta il tipo consentito in una matrice.
+
+ consentito nella matrice.
+
+
+ Rappresenta una raccolta di oggetti .
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Aggiunge all'insieme.
+ L'indice dell'elemento aggiunto.
+ L'oggetto da aggiungere alla raccolta.
+
+
+ Consente di rimuovere tutti gli elementi dalla .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Determina se l'insieme contiene l'oggetto specificato.
+ true se nell'insieme è presente l'oggetto specificato; in caso contrario, false.
+
+ da verificare.
+
+
+ Copia una matrice di oggetti nell'insieme, a partire dall'indice di destinazione specificato.
+ Matrice di oggetti da copiare nell'insieme.
+ Indice in corrispondenza del quale iniziano gli attributi copiati.
+
+
+ Ottiene il numero di elementi contenuti in .
+ Il numero di elementi contenuti in .
+
+
+ Viene restituito un enumeratore per l'intero .
+
+ per l'intera .
+
+
+ Restituisce l'indice in base zero della prima occorrenza dell'oggetto specificato nella raccolta oppure -1 se l'attributo non risulta presente nella raccolta.
+ Primo indice dell'oggetto nell'insieme oppure -1 se l'attributo non risulta presente nell'insieme.
+ L'oggetto da individuare nell'insieme.
+
+
+ Consente di inserire un oggetto nell'insieme in corrispondenza dell'indice specificato.
+ Indice in corrispondenza del quale viene inserito l'attributo.
+ La classe da inserire.
+
+
+ Ottiene o imposta l'elemento in corrispondenza dell'indice specificato.
+
+ in corrispondenza dell'indice specificato.
+ L'indice con inizio zero del membro dell'insieme da ottenere o impostare.
+
+
+ Rimuove dall'insieme, se presente.
+ La classe da rimuovere.
+
+
+ Rimuove l'elemento dell'interfaccia in corrispondenza dell'indice specificato.
+ Indice in base zero dell'elemento da rimuovere.
+
+ non è un indice valido nell'interfaccia .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Copia l'intero oggetto in un oggetto compatibile unidimensionale, a partire dall'indice specificato della matrice di destinazione.
+ Oggetto unidimensionale che rappresenta la destinazione degli elementi copiati dall'oggetto .L'indicizzazione di deve essere in base zero.
+
+
+ Ottiene un valore che indica se l'accesso a è sincronizzato (thread-safe).
+ true se l'accesso all'oggetto è sincronizzato (thread-safe); in caso contrario, false.
+
+
+
+ Aggiunge un oggetto alla fine di .
+ Indice in corrispondenza del quale è stato aggiunto .
+ Oggetto da aggiungere alla fine di .Il valore può essere null.
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Determina se l'insieme contiene l'oggetto specificato.
+ true se nell'insieme è presente l'oggetto specificato; in caso contrario, false.
+
+
+ Restituisce l'indice in base zero della prima occorrenza dell'oggetto specificato nella raccolta oppure -1 se l'attributo non risulta presente nella raccolta.
+ Primo indice dell'oggetto nell'insieme oppure -1 se l'attributo non risulta presente nell'insieme.
+
+
+ Consente di inserire un elemento in in corrispondenza dell'indice specificato.
+ Indice in base zero nel quale deve essere inserito.
+ Oggetto da inserire.Il valore può essere null.
+
+ è minore di zero.- oppure - è maggiore di .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Ottiene un valore che indica se ha dimensioni fisse.
+ true se è di dimensioni fisse; in caso contrario, false.
+
+
+ Ottiene un valore che indica se è di sola lettura.
+ true se è di sola lettura. In caso contrario, false.
+
+
+ Ottiene o imposta l'elemento in corrispondenza dell'indice specificato.
+
+ in corrispondenza dell'indice specificato.
+ L'indice con inizio zero del membro dell'insieme da ottenere o impostare.
+
+
+ Rimuove la prima occorrenza di un oggetto specifico dall'interfaccia .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Specifica che deve serializzare il membro della classe come attributo XML.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il nome dell'attributo XML generato.
+ Il nome dell'attributo XML generato da .
+
+
+ Inizializza una nuova istanza della classe .
+ Nome dell'attributo XML generato.
+
+ utilizzato per archiviare l'attributo.
+
+
+ Inizializza una nuova istanza della classe .
+
+ utilizzato per archiviare l'attributo.
+
+
+ Recupera o imposta il nome dell'attributo XML.
+ Il nome dell'attributo XML.Il nome predefinito è il nome del membro.
+
+
+ Ottiene o imposta il tipo di dati XSD dell'attributo XML generato da .
+ Un tipo di dati XSD (XML Schema Document) secondo la definizione fornita da World Wide Web Consortium (www.w3.org) nel documento "XML Schema: DataTypes".
+
+
+ Ottiene o imposta un valore che indica se il nome dell'attributo XML generato da è completo.
+ Uno dei valori di .Il valore predefinito è XmlForm.None.
+
+
+ Ottiene o imposta lo spazio dei nomi XML dell'attributo XML.
+ Lo spazio dei nomi XML dell'attributo XML.
+
+
+ Ottiene o imposta il tipo complesso dell'attributo XML.
+ Tipo dell'attributo XML.
+
+
+ Consente di sottoporre a override gli attributi di una proprietà, di un campo e di una classe quando si utilizza per serializzare o deserializzare un oggetto
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Aggiunge un oggetto all'insieme di oggetti .Il parametro specifica un oggetto da sottoporre a override.Il parametro specifica il nome di un membro sottoposto a override.
+ Il dell'oggetto da sottoporre a override.
+ Il nome del membro da sottoporre a override.
+ Oggetto che rappresenta gli attributi che eseguono l'override.
+
+
+ Aggiunge un oggetto all'insieme di oggetti .Il parametro specifica un oggetto da sottoporre a override tramite l'oggetto .
+
+ dell'oggetto sottoposto a override.
+ Oggetto che rappresenta gli attributi che eseguono l'override.
+
+
+ Ottiene l'oggetti associato al tipo specificato della classe base.
+ Oggetto che rappresenta l'insieme degli attributi che eseguono l'override.
+ Classe base associata all'insieme di attributi che si desidera recuperare.
+
+
+ Ottiene gli oggetti associati al tipo specificato (classe base).Il parametro del membro specifica il membro della classe base sottoposto a override.
+ Oggetto che rappresenta l'insieme degli attributi che eseguono l'override.
+ Classe base associata all'insieme di attributi desiderati.
+ Il nome del membro sottoposto a override nel quale è specificata l'oggetto da restituire.
+
+
+ Rappresenta un insieme di oggetti attributo che controlla come serializza e deserializza un oggetto.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Ottiene o imposta la classe da sottoporre a override.
+ La classe da sottoporre a override.
+
+
+ Ottiene l'insieme di oggetti di cui eseguire l'override.
+ Un oggetto che rappresenta l'insieme di oggetti .
+
+
+ Recupera o imposta un oggetto che specifica come serializza un campo pubblico o una proprietà in lettura/scrittura che restituisce una matrice.
+
+ che specifica il modo in cui serializza un campo public o una proprietà di lettura/scrittura che restituisce una matrice.
+
+
+ Recupera o imposta un insieme di oggetti che specifica come serializza gli elementi inseriti in una matrice restituita da un campo pubblico o una proprietà di lettura/scrittura.
+ Un oggetto che contiene un insieme di oggetti .
+
+
+ Ottiene o imposta un oggetto che specifica come serializza un campo pubblico o una proprietà pubblica in lettura/scrittura come attributo XML.
+
+ che controlla la serializzazione di un campo public o di una proprietà di lettura/scrittura come attributo XML.
+
+
+ Ottiene o imposta un oggetto che consente di distinguere tra un gruppo di scelte.
+
+ che è possibile applicare a un membro della classe che viene serializzato come elemento xsi:choice.
+
+
+ Ottiene o imposta il valore predefinito di un attributo o elemento XML.
+ Un che rappresenta il valore predefinito dell'elemento o dell'attributo XML.
+
+
+ Ottiene un insieme di oggetti che specificano il modo in cui serializza un campo public o una proprietà di lettura/scrittura come elemento XML.
+ Un che contiene un insieme di oggetti .
+
+
+ Ottiene o imposta un oggetto che specifica come serializza un membro di enumerazione.
+ Un che specifica come serializza un membro di enumerazione.
+
+
+ Ottiene o imposta un valore che specifica se serializza o meno un campo pubblico o una proprietà in lettura/scrittura pubblica.
+ true se non deve serializzare il campo o la proprietà. In caso contrario, false.
+
+
+ Ottiene o imposta un valore che specifica se mantenere tutte le dichiarazioni degli spazi dei nomi quando un oggetto contenente un membro che restituisce un oggetto viene sottoposto a override.
+ true se le dichiarazioni degli spazi dei nomi devono essere mantenute; in caso contrario false.
+
+
+ Ottiene o imposta un oggetto che specifica come serializza una classe come elemento XML di primo livello.
+ Un che esegue l'override di una classe con attributi come elemento XML di primo livello.
+
+
+ Ottiene o imposta un oggetto che fa in modo che serializzi un campo pubblico o una proprietà pubblica in lettura/scrittura come testo XML.
+ Un che esegue l'override della serializzazione predefinita di un campo pubblico o di una proprietà.
+
+
+ Ottiene o imposta un oggetto che specifica come serializza una classe alla quale è stato applicato .
+ Un che esegue l'override di un applicato a una dichiarazione di classe.
+
+
+ Specifica che è possibile utilizzare un'enumerazione per rilevare ulteriormente il membro.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe .
+ Nome del membro che restituisce l'enumerazione utilizzata per rilevare la scelta.
+
+
+ Ottiene o imposta il nome del campo che restituisce l'enumerazione da utilizzare per rilevare i tipi.
+ Il nome di un campo che restituisce un'enumerazione.
+
+
+ Indica che una proprietà o un campo public rappresenta un elemento XML quando serializza o deserializza l'oggetto in cui è contenuto.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Consente di inizializzare una nuova istanza della classe e di specificare il nome dell'elemento XML.
+ Il nome dell'elemento XML del membro serializzato.
+
+
+ Inizializza una nuova istanza di e specifica il nome dell'elemento XML e un tipo derivato per il membro a cui viene applicato .Questo tipo di membro viene utilizzato quando serializza l'oggetto in cui è contenuto.
+ Il nome dell'elemento XML del membro serializzato.
+
+ di un oggetto derivato dal tipo del membro.
+
+
+ Inizializza una nuova istanza di e specifica un tipo per il membro a cui viene applicato .Questo tipo viene utilizzato da durante la serializzazione o la deserializzazione dell'oggetto in cui è contenuto.
+
+ di un oggetto derivato dal tipo del membro.
+
+
+ Ottiene o imposta il tipo di dati XSD (XML Schema Definition) dell'elemento XML generato da .
+ Un tipo di dati XML Schema secondo la definizione fornita da World Wide Web Consortium (www.w3.org) nel documento "XML Schema Part 2: Datatypes".
+ Non è possibile eseguire il mapping del tipo di dati XML Schema al tipo di dati .NET.
+
+
+ Ottiene o imposta il nome dell'elemento XML generato.
+ Il nome dell'elemento XML generato.Il valore predefinito è l'identificatore del membro.
+
+
+ Ottiene o imposta un valore che indica se l'elemento è completo.
+ Uno dei valori di .Il valore predefinito è .
+
+
+ Ottiene o imposta un valore che indica se deve serializzare un membro impostato su null come un tag vuoto con l'attributo xsi:nil impostato su true.
+ true se l'attributo xsi:nil viene generato dalla classe ; in caso contrario, false.
+
+
+ Ottiene o imposta lo spazio dei nomi assegnato all'elemento XML restituito quando la classe viene serializzata.
+ Lo spazio dei nomi dell'elemento XML.
+
+
+ Ottiene o imposta l'ordine esplicito in cui gli elementi vengono serializzati o deserializzati.
+ Ordine di generazione del codice.
+
+
+ Ottiene o imposta il tipo di oggetto utilizzato per rappresentare l'elemento XML.
+ Il del membro.
+
+
+ Rappresenta un insieme di oggetti utilizzato dalla classe per eseguire l'override della modalità predefinita di serializzazione di una classe.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Consente di aggiungere una classe all'insieme.
+ Indice in base zero del nuovo elemento aggiunto.
+ Oggetto da aggiungere.
+
+
+ Consente di rimuovere tutti gli elementi dalla .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Determina se l'insieme contiene l'oggetto specificato.
+ true se l'oggetto è presente nella raccolta, in caso contrario false.
+ Oggetto da ricercare.
+
+
+ Copia o una parte di esso in una matrice unidimensionale.
+ La matrice per conservare gli elementi copiati.
+ Indice in base zero della matrice specificata nel parametro in corrispondenza del quale ha inizio la copia.
+
+
+ Ottiene il numero di elementi contenuti in .
+ Il numero di elementi contenuti in .
+
+
+ Viene restituito un enumeratore per l'intero .
+
+ per l'intera .
+
+
+ Ottiene l'indice della classe specificata.
+ Indice in base zero di .
+ Oggetto di cui viene recuperato l'indice.
+
+
+ Inserisce un nell'insieme.
+ Indice in base zero in cui viene inserito il membro.
+ Oggetto da inserire.
+
+
+ Ottiene o imposta l'elemento in corrispondenza dell'indice specificato.
+ Elemento in corrispondenza dell'indice specificato.
+ Indice a base zero dell'elemento da ottenere o impostare.
+
+ non è un indice valido nell'interfaccia .
+ La proprietà è impostata e l'interfaccia è in sola lettura.
+
+
+ Rimuove l'oggetto specificato dalla raccolta.
+ Il da rimuovere dall'insieme.
+
+
+ Rimuove l'elemento dell'interfaccia in corrispondenza dell'indice specificato.
+ Indice in base zero dell'elemento da rimuovere.
+
+ non è un indice valido nell'interfaccia .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Copia l'intero oggetto in un oggetto compatibile unidimensionale, a partire dall'indice specificato della matrice di destinazione.
+ Oggetto unidimensionale che rappresenta la destinazione degli elementi copiati dall'oggetto .L'indicizzazione di deve essere in base zero.
+
+
+ Ottiene un valore che indica se l'accesso a è sincronizzato (thread-safe).
+ true se l'accesso all'oggetto è sincronizzato (thread-safe); in caso contrario, false.
+
+
+ Ottiene un oggetto che può essere utilizzato per sincronizzare l'accesso a .
+ Oggetto che può essere utilizzato per sincronizzare l'accesso a .
+
+
+ Aggiunge un oggetto alla fine di .
+ Indice in corrispondenza del quale è stato aggiunto .
+ Oggetto da aggiungere alla fine di .Il valore può essere null.
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Stabilisce se l'interfaccia contiene un valore specifico.
+ true se l'oggetto si trova nell'insieme ; in caso contrario false.
+ Oggetto da individuare nell'oggetto .
+
+
+ Determina l'indice di un elemento specifico nell'interfaccia .
+ Indice di , se presente nell'elenco; in caso contrario, -1.
+ Oggetto da individuare nell'oggetto .
+
+
+ Consente di inserire un elemento in in corrispondenza dell'indice specificato.
+ Indice in base zero nel quale deve essere inserito.
+ Oggetto da inserire.Il valore può essere null.
+
+ è minore di zero.- oppure - è maggiore di .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Ottiene un valore che indica se ha dimensioni fisse.
+ true se è di dimensioni fisse; in caso contrario, false.
+
+
+ Ottiene un valore che indica se è di sola lettura.
+ true se è di sola lettura. In caso contrario, false.
+
+
+ Ottiene o imposta l'elemento in corrispondenza dell'indice specificato.
+ Elemento in corrispondenza dell'indice specificato.
+ Indice a base zero dell'elemento da ottenere o impostare.
+
+ non è un indice valido nell'interfaccia .
+ La proprietà è impostata e l'interfaccia è in sola lettura.
+
+
+ Rimuove la prima occorrenza di un oggetto specifico dall'interfaccia .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Consente di controllare le modalità di serializzazione di un membro di enumerazione utilizzate nella classe .
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il valore XML che genera o riconosce (rispettivamente quando serializza o deserializza una classe).
+ Il nome di override del membro dell'enumerazione.
+
+
+ Ottiene o imposta il valore generato in un'istanza di un documento XML quando serializza un'enumerazione o il valore riconosciuto quando deserializza il membro dell'enumerazione.
+ Il valore generato in un'istanza del documento XML quando serializza l'enumerazione o il valore riconosciuto quando deserializza il membro dell'enumerazione.
+
+
+ Fa in modo che il metodo di non serializzi il campo pubblico o il valore pubblico della proprietà in lettura/scrittura.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Consente all' di riconoscere un tipo quando serializza o deserializza un oggetto.
+
+
+ Inizializza una nuova istanza della classe .
+ Il dell'oggetto da includere.
+
+
+ Ottiene o imposta il tipo di oggetto da includere.
+ Il dell'oggetto da includere.
+
+
+ Specifica che la proprietà, il parametro, il valore restituito o il membro di classe di destinazione contiene prefissi associati agli spazi dei nomi utilizzati all'interno di un documento XML.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Controlla la serializzazione XML della destinazione dell'attributo come un elemento di primo livello.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il nome dell'elemento XML di primo livello.
+ Il nome dell'elemento XML di primo livello.
+
+
+ Ottiene o imposta il tipo di dati XSD dell'elemento XML di primo livello.
+ Un tipo di dati XSD (XML Schema Document) secondo la definizione fornita da World Wide Web Consortium (www.w3.org) nel documento "XML Schema: DataTypes".
+
+
+ Ottiene o imposta il nome dell'elemento XML generato e riconosciuto rispettivamente dai metodi e della classe .
+ Il nome dell'elemento XML generato e riconosciuto in un'istanza di un documento XML.Il valore predefinito è il nome della classe serializzata.
+
+
+ Ottiene o imposta un valore che indica se deve serializzare un membro impostato su null nell'attributo xsi:nil impostato su true.
+ true se l'attributo xsi:nil viene generato dalla classe ; in caso contrario, false.
+
+
+ Ottiene o imposta lo spazio dei nomi dell'elemento XML di primo livello.
+ Lo spazio dei nomi dell'elemento XML.
+
+
+ Serializza e deserializza oggetti in e da documenti XML. consente di controllare le modalità di codifica degli oggetti in XML.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe in grado di serializzare gli oggetti del tipo specificato in documenti XML e di deserializzare documenti XML in oggetti del tipo specificato.
+ Il tipo dell'oggetto che questo può serializzare.
+
+
+ Inizializza una nuova istanza della classe in grado di serializzare gli oggetti del tipo specificato in documenti XML e di deserializzare documenti XML in oggetti del tipo specificato.Specifica lo spazio dei nomi predefinito per tutti gli elementi XML.
+ Il tipo dell'oggetto che questo può serializzare.
+ Lo spazio dei nomi predefinito da utilizzare per tutti gli elementi XML.
+
+
+ Inizializza una nuova istanza della classe in grado di serializzare gli oggetti del tipo specificato in documenti XML e di deserializzare documenti XML in oggetti di un tipo specificato.Se una proprietà o un campo restituisce una matrice, il parametro specifica gli oggetti che possono essere inseriti nella matrice.
+ Il tipo dell'oggetto che questo può serializzare.
+ Una matrice di ulteriori oggetti da serializzare.
+
+
+ Inizializza una nuova istanza della classe in grado di serializzare gli oggetti del tipo specificato in documenti XML e di deserializzare documenti XML in oggetti del tipo specificato.Ciascun oggetto da serializzare può contenere istanze di classi e questo overload può eseguire l'override con altre classi.
+ Il tipo dell'oggetto da serializzare.
+ Oggetto .
+
+
+ Inizializza una nuova istanza della classe in grado di serializzare oggetti di tipo in istanze di documento XML e di deserializzare istanze di documento XML in oggetti di tipo .Ciascun oggetto da serializzare può contenere istanze di classi e questo overload ne esegue l'override con altre classi.Questo overload specifica inoltre lo spazio dei nomi predefinito per tutti gli elementi XML e la classe da utilizzare come elemento XML di primo livello.
+ Il tipo dell'oggetto che questo può serializzare.
+
+ che estende il comportamento della classe specificata nel parametro o ne esegue l'override.
+ Una matrice di ulteriori oggetti da serializzare.
+ Un che definisce le proprietà dell'elemento XML di primo livello.
+ Lo spazio dei nomi predefinito di tutti gli elementi XML nel documento XML.
+
+
+ Inizializza una nuova istanza della classe in grado di serializzare gli oggetti del tipo specificato in documenti XML e di deserializzare documenti XML in oggetti del tipo specificato.Specifica inoltre la classe da utilizzare come elemento XML di primo livello.
+ Il tipo dell'oggetto che questo può serializzare.
+ Un che rappresenta l'elemento XML di primo livello.
+
+
+ Ottiene un valore che indica se questo può deserializzare un documento XML specificato.
+ true se questo può deserializzare l'oggetto a cui punta . In caso contrario, false.
+ Un che punta al documento da deserializzare.
+
+
+ Deserializza il documento XML contenuto dal specificato.
+ L' da deserializzare.
+
+ contenente il documento XML da deserializzare.
+
+
+ Deserializza il documento XML contenuto dal specificato.
+ L' da deserializzare.
+
+ contenente il documento XML da deserializzare.
+ Si è verificato un errore durante la deserializzazione.L'eccezione originale è disponibile tramite la proprietà .
+
+
+ Deserializza il documento XML contenuto dal specificato.
+ L' da deserializzare.
+
+ contenente il documento XML da deserializzare.
+ Si è verificato un errore durante la deserializzazione.L'eccezione originale è disponibile tramite la proprietà .
+
+
+ Restituisce una matrice di oggetti creati da una matrice di tipi.
+ Matrice di oggetti .
+ Matrice di oggetti .
+
+
+ Serializza l' specificato e scrive il documento XML in un file utilizzando il specificato.
+ Il utilizzato per scrivere il documento XML.
+
+ da serializzare.
+ Si è verificato un errore durante la serializzazione.L'eccezione originale è disponibile tramite la proprietà .
+
+
+ Serializza l'oggetto specificato e scrive il documento XML in un file mediante l'oggetto specificato, che fa riferimento agli spazi dei nomi specificati.
+ Il utilizzato per scrivere il documento XML.
+
+ da serializzare.
+ L' cui fa riferimento l'oggetto.
+ Si è verificato un errore durante la serializzazione.L'eccezione originale è disponibile tramite la proprietà .
+
+
+ Serializza l' specificato e scrive il documento XML in un file utilizzando il specificato.
+ Il utilizzato per scrivere il documento XML.
+
+ da serializzare.
+
+
+ Serializza l'oggetto specificato e scrive il documento XML in un file mediante l'oggetto specificato, facendo riferimento agli spazi dei nomi specificati.
+ Il utilizzato per scrivere il documento XML.
+
+ da serializzare.
+
+ contenente gli spazi dei nomi del documento XML generato.
+ Si è verificato un errore durante la serializzazione.L'eccezione originale è disponibile tramite la proprietà .
+
+
+ Serializza l' specificato e scrive il documento XML in un file utilizzando il specificato.
+ Il utilizzato per scrivere il documento XML.
+
+ da serializzare.
+ Si è verificato un errore durante la serializzazione.L'eccezione originale è disponibile tramite la proprietà .
+
+
+ Serializza l'oggetto specificato e scrive il documento XML in un file mediante l'oggetto specificato, facendo riferimento agli spazi dei nomi specificati.
+ Il utilizzato per scrivere il documento XML.
+
+ da serializzare.
+ L' cui fa riferimento l'oggetto.
+ Si è verificato un errore durante la serializzazione.L'eccezione originale è disponibile tramite la proprietà .
+
+
+ Contiene gli spazi dei nomi e i prefissi XML che usa per generare i nomi completi in un'istanza di un documento XML.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe , utilizzando l'istanza specificata di XmlSerializerNamespaces che contiene l'insieme delle coppie di prefisso e spazio dei nomi.
+ Istanza di che contiene le coppie di spazio dei nomi e prefisso.
+
+
+ Inizializza una nuova istanza della classe .
+ Matrice di oggetti .
+
+
+ Aggiunge una coppia di prefisso e spazio dei nomi a un oggetto .
+ Il prefisso associato a uno spazio dei nomi XML.
+ Uno spazio dei nomi XML.
+
+
+ Ottiene il numero di coppie di prefisso e spazio dei nomi nell'insieme.
+ Numero di coppie di prefisso e spazio dei nomi nell'insieme.
+
+
+ Ottiene la matrice delle coppie di prefisso e spazio dei nomi in un oggetto .
+ Una matrice di oggetti utilizzati come nomi completi in un documento XML.
+
+
+ Indica a che il membro deve essere trattato come testo XML quando la classe in cui è contenuto viene serializzata o deserializzata.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe .
+
+ del membro da serializzare.
+
+
+ Ottiene o imposta il tipo di dati XSD (XML Schema Definition Language) del testo generato dalla classe .
+ Tipo di dati XSD (XML Schema), secondo la definizione fornita da World Wide Web Consortium (www.w3.org) nel documento "XML Schema Part 2: Datatypes".
+ Non è possibile eseguire il mapping del tipo di dati XML Schema al tipo di dati .NET.
+ Il tipo di dati XML Schema specificato non è valido per la proprietà e non può essere convertito nel tipo di membro.
+
+
+ Ottiene o imposta il tipo del membro.
+ Il del membro.
+
+
+ Controlla lo schema XML generato quando la destinazione dell'attributo viene serializzata dalla classe .
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il nome del tipo XML.
+ Il nome del tipo XML generato dalla classe durante la serializzazione dell'istanza della classe e riconosciuto durante la deserializzazione dell'istanza della classe.
+
+
+ Ottiene o imposta un valore che determina se il tipo di schema risultante è un tipo anonimo XSD.
+ true se il tipo di schema risultante è un tipo anonimo XSD. In caso contrario, false.
+
+
+ Ottiene o imposta un valore che indica se includere il tipo nei documenti dello schema XML.
+ true per includere il tipo nei documenti di schema XML; in caso contrario, false.
+
+
+ Ottiene o imposta lo spazio dei nomi del tipo XML.
+ Lo spazio dei nomi del tipo XML.
+
+
+ Ottiene o imposta il nome del tipo XML.
+ Il nome del tipo XML.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/ja/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/ja/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..da1c62e
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/ja/System.Xml.XmlSerializer.xml
@@ -0,0 +1,1069 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ メンバー ( オブジェクトの配列を返すフィールド) に任意の XML 属性を含めることができるように指定します。
+
+
+
+ クラスの新しいインスタンスを生成します。
+
+
+ メンバー ( オブジェクトまたは オブジェクトの配列を返すフィールド) に、シリアル化または逆シリアル化対象のオブジェクト内に対応するメンバーがない任意の XML 要素を表すオブジェクトを含めるように指定します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML ドキュメントに生成される XML 要素名を指定します。
+
+ が生成する XML 要素の名前。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML ドキュメントに生成される XML 要素名とその XML 名前空間を指定します。
+
+ が生成する XML 要素の名前。
+ XML 要素の XML 名前空間。
+
+
+ XML 要素名を取得または設定します。
+ XML 要素の名前。
+ 配列メンバーの要素名が、 プロパティに指定されている要素名と一致しません。
+
+
+ XML ドキュメントに生成される XML 名前空間を取得または設定します。
+ XML 名前空間。
+
+
+ 要素のシリアル化または逆シリアル化を行う明示的な順序を取得または設定します。
+ コード生成の順序。
+
+
+
+ オブジェクトのコレクションを表します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ をコレクションに追加します。
+ 新しく追加された のインデックス。
+ 追加する 。
+
+
+
+ からすべてのオブジェクトを削除します。このメソッドはオーバーライドできません。
+
+
+ 指定した がコレクション内に存在するかどうかを示す値を取得します。
+
+ がコレクション内に存在する場合は true。それ以外の場合は false。
+ コレクション内に存在するかどうかを確認する対象の 。
+
+
+ コピー先配列の指定されたインデックスを開始位置として、コレクション全体を、 オブジェクトの互換性がある 1 次元配列にコピーします。
+ コレクションからコピーされる要素のコピー先である オブジェクトの 1 次元配列。配列では 0 から始まるインデックスを使用する必要があります。
+ コピーの開始位置となる、 内の 0 から始まるインデックス。
+
+
+
+ インスタンスに格納されている要素の数を取得します。
+
+ インスタンスに格納されている要素の数。
+
+
+
+ を反復処理する列挙子を返します。
+
+ を反復処理する列挙子。
+
+
+ 指定した のインデックスを取得します。
+ 指定した のインデックス。
+ インデックスを取得する対象の 。
+
+
+
+ をコレクション内の指定のインデックス位置に挿入します。
+
+ の挿入位置を示すインデックス。
+ 挿入する 。
+
+
+ 指定したインデックス位置にある を取得または設定します。
+ 指定したインデックス位置にある 。
+
+ のインデックス。
+
+
+ 指定した をコレクションから削除します。
+ 削除する 。
+
+
+
+ の指定したインデックスにある要素を削除します。このメソッドはオーバーライドできません。
+ 削除される要素のインデックス。
+
+
+ コレクション全体を オブジェクトの互換性がある 1 次元配列にコピーします。コピー操作は、コピー先の配列の指定したインデックスから始まります。
+ 1 次元配列。
+ 指定したインデックス。
+
+
+
+ へのアクセスが同期されている (スレッド セーフである) かどうかを示す値を取得します。
+
+ へのアクセスが同期されている場合は True。それ以外の場合は false。
+
+
+
+ へのアクセスを同期するために使用できるオブジェクトを取得します。
+
+ へのアクセスを同期するために使用できるオブジェクト。
+
+
+
+ の末尾にオブジェクトを追加します。
+ コレクションに追加されたオブジェクト。
+ コレクションに追加されるオブジェクトの値。
+
+
+
+ に特定の要素が格納されているかどうかを判断します。
+
+ に特定の要素が含まれている場合は True。それ以外の場合は false。
+ 要素の値。
+
+
+ 指定したオブジェクトを検索し、 全体内で最初に見つかった位置の 0 から始まるインデックスを返します。
+ オブジェクトの 0 から始まるインデックス。
+ オブジェクトの値。
+
+
+
+ 内の指定したインデックスの位置に要素を挿入します。
+ 要素が挿入されるインデックス。
+ 要素の値。
+
+
+
+ が固定サイズかどうかを示す値を取得します。
+
+ が固定サイズの場合は True。それ以外の場合は false。
+
+
+
+ が読み取り専用かどうかを示す値を取得します。
+
+ が読み取り専用である場合は True。それ以外の場合は false。
+
+
+ 指定したインデックスにある要素を取得または設定します。
+ 指定したインデックスにある要素。
+ 要素のインデックス。
+
+
+
+ 内で最初に見つかった特定のオブジェクトを削除します。
+ 削除されるオブジェクトの値。
+
+
+
+ が特定のクラス メンバーを XML 要素の配列としてシリアル化する必要があることを指定します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML ドキュメント インスタンスに生成される XML 要素名を指定します。
+
+ が生成する XML 要素の名前。
+
+
+ シリアル化された配列に与えられた、XML 要素の名前を取得または設定します。
+ シリアル化された配列の XML 要素名。既定値は、 が割り当てられたメンバーの名前です。
+
+
+
+ によって生成された XML 要素名が修飾されているかどうかを示す値を取得または設定します。
+
+ 値のいずれか。既定値は、XmlSchemaForm.None です。
+
+
+
+ で、xsi:nil 属性が true に設定された空の XML タグとしてメンバーをシリアル化する必要があるかどうかを示す値を取得または設定します。
+
+ が xsi:nil 属性を生成する場合は true。それ以外の場合は false。
+
+
+ XML 要素の名前空間を取得または設定します。
+ XML 要素の名前空間。
+
+
+ 要素のシリアル化または逆シリアル化を行う明示的な順序を取得または設定します。
+ コード生成の順序。
+
+
+
+ がシリアル化された配列で配置できる派生型を指定する属性を表します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML ドキュメントで生成される XML 要素の名前を指定します。
+ XML 要素の名前。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML ドキュメントで生成される XML 要素の名前、および生成される XML ドキュメントに挿入できる を指定します。
+ XML 要素の名前。
+ シリアル化するオブジェクトの 。
+
+
+
+ クラスの新しいインスタンスを初期化し、シリアル化される配列に挿入できる を指定します。
+ シリアル化するオブジェクトの 。
+
+
+ 生成された XML 要素の XML データ型を取得または設定します。
+ World Wide Web Consortium (www.w3.org) のドキュメント『XML Schema Part 2: DataTypes』で定義されている XML スキーマ定義 (XSD) データ型。
+
+
+ 生成された XML 要素の名前を取得または設定します。
+ 生成された XML 要素の名前。既定値はメンバー識別子です。
+
+
+ 生成された XML 要素名が修飾されているかどうかを示す値を取得または設定します。
+
+ 値のいずれか。既定値は、XmlSchemaForm.None です。
+
+ プロパティが XmlSchemaForm.Unqualified に設定され、 値が指定されています。
+
+
+
+ で、xsi:nil 属性が true に設定された空の XML タグとしてメンバーをシリアル化する必要があるかどうかを示す値を取得または設定します。
+
+ が xsi:nil 属性を生成する場合は true。それ以外の場合は false で、インスタンスは作成されません。既定値は、true です。
+
+
+ 生成された XML 要素の名前空間を取得または設定します。
+ 生成された XML 要素の名前空間。
+
+
+
+ が影響を与える XML 要素の階層構造のレベルを取得または設定します。
+ 複数の配列内の 1 つの配列のインデックスのセットの 0 から始まるインデックス番号。
+
+
+ 配列内で使用できる型を取得または設定します。
+ 配列内で使用できる 。
+
+
+
+ オブジェクトのコレクションを表します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ をコレクションに追加します。
+ 追加された項目のインデックス。
+ コレクションに追加する 。
+
+
+
+ からすべての要素を削除します。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+ 指定した がコレクションに含まれているかどうかを判断します。
+ 指定した がコレクションに含まれている場合は true。それ以外の場合は false。
+ 確認する対象の 。
+
+
+ コピー先の指定したインデックスを開始位置として、 配列をコレクションにコピーします。
+ コレクションにコピーする オブジェクトの配列。
+ コピーされた属性の開始位置のインデックス。
+
+
+
+ に格納されている要素の数を取得します。
+
+ に格納されている要素の数。
+
+
+ この の列挙子を返します。
+
+ 全体の 。
+
+
+ コレクション内で指定した が最初に見つかった位置の 0 から始まるインデックスを返します。属性がコレクション内で見つからなかった場合は -1 を返します。
+ コレクション内の の最初のインデックス。コレクション内に属性が存在しない場合は -1。
+ コレクション内で検索する 。
+
+
+
+ をコレクション内の指定のインデックス位置に挿入します。
+ 属性が挿入される位置のインデックス。
+ 挿入する 。
+
+
+ 指定したインデックス位置にある項目を取得または設定します。
+ 指定したインデックス位置にある 。
+ 取得または設定するコレクション メンバーの 0 から始まるインデックス。
+
+
+ コレクションに が存在する場合は削除します。
+ 削除する 。
+
+
+ 指定したインデックス位置にある 項目を削除します。
+ 削除する項目の 0 から始まるインデックス。
+
+ が の有効なインデックスではありません。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+ すべての を互換性のある 1 次元の にコピーします。コピー操作は、コピー先の配列の指定したインデックスから始まります。
+
+ から要素をコピーする、1 次元の です。 には、0 から始まるインデックス番号が必要です。
+
+
+
+ へのアクセスが同期されている (スレッド セーフである) かどうかを示す値を取得します。
+
+ へのアクセスが同期されている (スレッド セーフである) 場合は true。それ以外の場合は false。
+
+
+
+
+ の末尾にオブジェクトを追加します。
+
+ が追加された位置の インデックス。
+
+ の末尾に追加する 。値は null に設定できます。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+ 指定した がコレクションに含まれているかどうかを判断します。
+ 指定した がコレクションに含まれている場合は true。それ以外の場合は false。
+
+
+ コレクション内で指定した が最初に見つかった位置の 0 から始まるインデックスを返します。属性がコレクション内で見つからなかった場合は -1 を返します。
+ コレクション内の の最初のインデックス。コレクション内に属性が存在しない場合は -1。
+
+
+
+ 内の指定したインデックスの位置に要素を挿入します。
+
+ を挿入する位置の、0 から始まるインデックス番号。
+ 挿入する 。値は null に設定できます。
+
+ が 0 未満です。または が より大きくなっています。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+
+ が固定サイズかどうかを示す値を取得します。
+
+ が固定サイズの場合は true。それ以外の場合は false。
+
+
+
+ が読み取り専用かどうかを示す値を取得します。
+
+ が読み取り専用である場合は true。それ以外の場合は false。
+
+
+ 指定したインデックス位置にある項目を取得または設定します。
+ 指定したインデックス位置にある 。
+ 取得または設定するコレクション メンバーの 0 から始まるインデックス。
+
+
+
+ 内で最初に見つかった特定のオブジェクトを削除します。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+
+ がクラス メンバーを XML 属性としてシリアル化する必要があることを指定します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、生成される XML 属性の名前を指定します。
+
+ が生成する XML 属性の名前。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+ 生成される XML 属性の名前。
+ 属性を取得するために使用する 。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+ 属性を取得するために使用する 。
+
+
+ XML 属性の名前を取得または設定します。
+ XML 属性の名前。既定値はメンバー名です。
+
+
+
+ によって生成された XML 属性の XSD データ型を取得または設定します。
+ W3C (World Wide Web Consortium) (www.w3.org ) のドキュメント『XML Schema: DataTypes』で定義されている XSD (XML スキーマ ドキュメント) データ型。
+
+
+
+ によって生成された XML 属性名が修飾されているかどうかを示す値を取得または設定します。
+
+ 値のいずれか。既定値は、XmlForm.None です。
+
+
+ XML 属性の XML 名前空間を取得または設定します。
+ XML 属性の XML 名前空間。
+
+
+ XML 属性の複合型を取得または設定します。
+ XML 属性の型。
+
+
+ オブジェクトをシリアル化または逆シリアル化するために を使用するときに、プロパティ、フィールド、クラスの各属性をユーザーがオーバーライドできるようにします。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ オブジェクトを オブジェクトのコレクションに追加します。 パラメーターは、オーバーライドされるオブジェクトを指定します。 パラメーターは、オーバーライドされるメンバーの名前を指定します。
+ オーバーライドするオブジェクトの 。
+ オーバーライドするメンバーの名前。
+ オーバーライドする側の属性を表す オブジェクト。
+
+
+
+ オブジェクトを オブジェクトのコレクションに追加します。 パラメーターは、 オブジェクトによってオーバーライドされるオブジェクトを指定します。
+ オーバーライドされるオブジェクトの 。
+ オーバーライドする側の属性を表す オブジェクト。
+
+
+ 指定された (基本クラス) 型に関連付けられたオブジェクトを取得します。
+ オーバーライドする側の属性のコレクションを表す 。
+ 取得する属性のコレクションに関連付けられている基本クラスの 。
+
+
+ 指定された (基本クラス) 型に関連付けられたオブジェクトを取得します。メンバー パラメーターは、オーバーライドされた基本クラス メンバーを指定します。
+ オーバーライドする側の属性のコレクションを表す 。
+ 使用する属性のコレクションに関連付けられている基本クラスの 。
+ 返す を指定する、オーバーライドされたメンバーの名前。
+
+
+
+ がオブジェクトをシリアル化および逆シリアル化する方法を制御する属性オブジェクトのコレクションを表します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ オーバーライドする を取得または設定します。
+ オーバーライドする 。
+
+
+ オーバーライドする オブジェクトのコレクションを取得します。
+
+ オブジェクトのコレクションを表す オブジェクト。
+
+
+
+ が、配列を返すパブリック フィールドまたは読み取り/書き込みプロパティをシリアル化する方法を指定するオブジェクトを取得または設定します。
+ 配列を返すパブリック フィールドまたは読み取り/書き込みプロパティを でシリアル化する方法を指定する 。
+
+
+ パブリック フィールドまたは読み取り/書き込みプロパティによって返された配列に挿入されている項目を によってシリアル化する方法を指定するオブジェクトのコレクションを取得または設定します。
+
+ オブジェクトのコレクションを格納している オブジェクト。
+
+
+
+ が、パブリック フィールドまたはパブリックな読み取り/書き込みプロパティを XML 属性としてシリアル化する方法を指定するオブジェクトを取得または設定します。
+ パブリック フィールドまたは読み取り/書き込みプロパティを XML 属性としてシリアル化する方法を制御する 。
+
+
+ 複数の選択肢を区別できるようにするオブジェクトを取得または設定します。
+ xsi:choice 要素としてシリアル化されているクラス メンバーに適用できる 。
+
+
+ XML 要素または XML 属性の既定値を取得または設定します。
+ XML 要素または XML 属性の既定値を表す 。
+
+
+
+ がパブリック フィールドまたは読み取り/書き込みプロパティを XML 要素としてシリアル化する方法を指定する、オブジェクトのコレクションを取得します。
+
+ オブジェクトのコレクションを格納している 。
+
+
+
+ が列挙体メンバーをシリアル化する方法を指定するオブジェクトを取得または指定します。
+
+ が列挙体メンバーをシリアル化する方法を指定する 。
+
+
+
+ がパブリック フィールドまたは読み書き可能なパブリック プロパティをシリアル化するかどうかを指定する値を取得または設定します。
+
+ がそのフィールドまたはプロパティをシリアル化しない場合は true。それ以外の場合は false。
+
+
+
+ オブジェクトを返すメンバーを格納するオブジェクトがオーバーライドされたときに、すべての名前空間宣言を保持するかどうかを示す値を取得または設定します。
+ 名前空間宣言を保持する場合は true。それ以外の場合は false。
+
+
+
+ がクラスを XML ルート要素としてシリアル化する方法を指定するオブジェクトを取得または指定します。
+ XML ルート要素として属性が設定されているクラスをオーバーライドする 。
+
+
+
+ に対してパブリック フィールドまたはパブリックな読み取り/書き込みプロパティを XML テキストとしてシリアル化するよう指示するオブジェクトを取得または設定します。
+ パブリック プロパティまたはフィールドの既定のシリアル化をオーバーライドする 。
+
+
+
+ が適用されているクラスを がシリアル化する方法を指定するオブジェクトを取得または指定します。
+ クラス宣言に適用された をオーバーライドする 。
+
+
+ 列挙体を使用して、メンバーを明確に検出できるようにすることを指定します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+ メンバーを検出するために使用される列挙体を返すメンバー名。
+
+
+ 型を検出するときに使用される列挙体を返すフィールドの名前を取得または設定します。
+ 列挙体を返すフィールドの名前。
+
+
+ パブリック フィールドまたはパブリック プロパティを持つオブジェクトを がシリアル化または逆シリアル化するときに、それらのフィールドまたはプロパティが XML 要素を表すかどうかを示します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML 要素の名前を指定します。
+ シリアル化されたメンバーの XML 要素名。
+
+
+
+ の新しいインスタンスを初期化し、 の適用先であるメンバーの XML 要素の名前と派生型を指定します。このメンバー型が使用されるのは、その型を含むオブジェクトを がシリアル化する場合です。
+ シリアル化されたメンバーの XML 要素名。
+ メンバーの型から派生したオブジェクトの 。
+
+
+
+ クラスの新しいインスタンスを初期化し、 の適用先のメンバーの型を指定します。この型が使用されるのは、その型を含むオブジェクトを がシリアル化または逆シリアル化する場合です。
+ メンバーの型から派生したオブジェクトの 。
+
+
+
+ によって生成された XML 要素の XML スキーマ定義 (XSD: XML Schema Definition) データ型を取得または設定します。
+ W3C (World Wide Web Consortium) (www.w3.org ) のドキュメント『XML Schema Part 2: Datatypes』で定義されている XML スキーマ データ型。
+ 指定した XML スキーマ データ型を .NET データ型に割り当てることはできません。
+
+
+ 生成された XML 要素の名前を取得または設定します。
+ 生成された XML 要素の名前。既定値はメンバー識別子です。
+
+
+ 要素が修飾されているかどうかを示す値を取得または設定します。
+
+ 値のいずれか。既定値は、 です。
+
+
+
+ が、null に設定されているメンバーを、xsi:nil 属性が true に設定されている空タグとしてシリアル化する必要があるかどうかを示す値を取得または設定します。
+
+ が xsi:nil 属性を生成する場合は true。それ以外の場合は false。
+
+
+ クラスがシリアル化されたときに、結果として XML 要素に割り当てられた名前空間を取得または設定します。
+ XML 要素の名前空間。
+
+
+ 要素のシリアル化または逆シリアル化を行う明示的な順序を取得または設定します。
+ コード生成の順序。
+
+
+ XML 要素を表すために使用されるオブジェクト型を取得または設定します。
+ メンバーの 。
+
+
+
+ がクラスをシリアル化する既定の方法をオーバーライドするために使用する、 オブジェクトのコレクションを表します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ をコレクションに追加します。
+ 新しく追加された項目の 0 から始まるインデックス。
+ 追加する 。
+
+
+
+ からすべての要素を削除します。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+ 指定したオブジェクトがコレクションに格納されているかどうかを確認します。
+ オブジェクトがコレクション内に存在する場合は true。それ以外の場合は false。
+ 検索対象の 。
+
+
+
+ またはその一部を 1 次元配列にコピーします。
+ コピーされた要素を保つための アレー。
+ コピーの開始位置となる、 内の 0 から始まるインデックス。
+
+
+
+ に格納されている要素の数を取得します。
+
+ に格納されている要素の数。
+
+
+ この の列挙子を返します。
+
+ 全体の 。
+
+
+ 指定した のインデックスを取得します。
+
+ の 0 から始まるインデックス番号。
+ インデックスを取得する 。
+
+
+ コレクションに を挿入します。
+ メンバーが挿入される 0 から始まるインデックス。
+ 挿入する 。
+
+
+ 指定したインデックスにある要素を取得または設定します。
+ 指定したインデックスにある要素。
+ 取得または設定する要素の、0 から始まるインデックス番号。
+
+ が の有効なインデックスではありません。
+ このプロパティが設定されていますが、 が読み取り専用です。
+
+
+ 指定されたオブジェクトをコレクションから削除します。
+ コレクションから削除する 。
+
+
+ 指定したインデックス位置にある 項目を削除します。
+ 削除する項目の 0 から始まるインデックス。
+
+ が の有効なインデックスではありません。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+ すべての を互換性のある 1 次元の にコピーします。コピー操作は、コピー先の配列の指定したインデックスから始まります。
+
+ から要素をコピーする、1 次元の です。 には、0 から始まるインデックス番号が必要です。
+
+
+
+ へのアクセスが同期されている (スレッド セーフである) かどうかを示す値を取得します。
+
+ へのアクセスが同期されている (スレッド セーフである) 場合は true。それ以外の場合は false。
+
+
+
+ へのアクセスを同期するために使用できるオブジェクトを取得します。
+
+ へのアクセスを同期するために使用できるオブジェクト。
+
+
+
+ の末尾にオブジェクトを追加します。
+
+ が追加された位置の インデックス。
+
+ の末尾に追加する 。値は null に設定できます。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+
+ に特定の値が格納されているかどうかを判断します。
+
+ が に存在する場合は true。それ以外の場合は false。
+
+ 内で検索するオブジェクト。
+
+
+
+ 内での指定した項目のインデックスを調べます。
+ リストに存在する場合は のインデックス。それ以外の場合は -1。
+
+ 内で検索するオブジェクト。
+
+
+
+ 内の指定したインデックスの位置に要素を挿入します。
+
+ を挿入する位置の、0 から始まるインデックス番号。
+ 挿入する 。値は null に設定できます。
+
+ が 0 未満です。または が より大きくなっています。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+
+ が固定サイズかどうかを示す値を取得します。
+
+ が固定サイズの場合は true。それ以外の場合は false。
+
+
+
+ が読み取り専用かどうかを示す値を取得します。
+
+ が読み取り専用である場合は true。それ以外の場合は false。
+
+
+ 指定したインデックスにある要素を取得または設定します。
+ 指定したインデックスにある要素。
+ 取得または設定する要素の、0 から始まるインデックス番号。
+
+ が の有効なインデックスではありません。
+ このプロパティが設定されていますが、 が読み取り専用です。
+
+
+
+ 内で最初に見つかった特定のオブジェクトを削除します。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+
+ が列挙体メンバーをシリアル化する方法を制御します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、 が生成する (列挙体をシリアル化する場合) または認識する (列挙体を逆シリアル化する場合) XML 値を指定します。
+ オーバーライドする側の列挙体メンバーの名前。
+
+
+
+ が列挙体をシリアル化する場合は XML ドキュメント インスタンスに生成された値を、列挙体メンバーを逆シリアル化する場合は認識した値を、取得または設定します。
+
+ が列挙体をシリアル化する場合は XML ドキュメント インスタンスに生成された値、列挙体メンバーを逆シリアル化する場合は認識した値。
+
+
+
+ の メソッドに対して、パブリック フィールドまたはパブリックな読み書き可能プロパティの値をシリアル化しないように指示します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ がオブジェクトをシリアル化または逆シリアル化するときに、型を認識できるようにします。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+ 含めるオブジェクトの 。
+
+
+ 含めるオブジェクトの型を取得または設定します。
+ 含めるオブジェクトの 。
+
+
+ 対象となるプロパティ、パラメーター、戻り値、またはクラス メンバーに、XML ドキュメント内で使用する、名前空間に関連付けられたプレフィックスを含めることを指定します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ 属性ターゲットを XML ルート要素として XML にシリアル化する方法を制御します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML ルート要素の名前を指定します。
+ XML ルート要素の名前。
+
+
+ XML ルート要素の XSD データ型を取得または設定します。
+ W3C (World Wide Web Consortium) (www.w3.org ) のドキュメント『XML Schema: DataTypes』で定義されている XSD (XML スキーマ ドキュメント) データ型。
+
+
+
+ クラスの メソッドおよび メソッドによって生成および認識される XML 要素名を取得または設定します。
+ XML ドキュメント インスタンスで生成および認識された XML ルート要素名。既定値は、シリアル化されたクラスの名前です。
+
+
+
+ で、null に設定されているメンバーを、true に設定されている xsi:nil 属性にシリアル化するかどうかを示す値を取得または設定します。
+
+ が xsi:nil 属性を生成する場合は true。それ以外の場合は false。
+
+
+ XML ルート要素の名前空間を取得または設定します。
+ XML 要素の名前空間。
+
+
+ オブジェクトから XML ドキュメントへのシリアル化および XML ドキュメントからオブジェクトへの逆シリアル化を行います。 により、オブジェクトを XML にエンコードする方法を制御できます。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ 指定した型のオブジェクトを XML ドキュメントにシリアル化したり、XML ドキュメントを指定した型のオブジェクトに逆シリアル化したりできる、 クラスの新しいインスタンスを初期化します。
+
+ がシリアル化できるオブジェクトの型。
+
+
+ 指定した型のオブジェクトを XML ドキュメントにシリアル化したり、XML ドキュメントを指定した型のオブジェクトに逆シリアル化したりできる、 クラスの新しいインスタンスを初期化します。すべての XML 要素の既定の名前空間を指定します。
+
+ がシリアル化できるオブジェクトの型。
+ すべての XML 要素で使用する既定の名前空間。
+
+
+ 指定した型のオブジェクトを XML ドキュメントにシリアル化したり、XML ドキュメントを指定した型のオブジェクトに逆シリアル化したりできる、 クラスの新しいインスタンスを初期化します。プロパティまたはフィールドが配列を返す場合、 パラメーターには、その配列に挿入できるオブジェクトを指定します。
+
+ がシリアル化できるオブジェクトの型。
+ シリアル化する追加のオブジェクト型の 配列。
+
+
+ 指定した型のオブジェクトを XML ドキュメントにシリアル化したり、XML ドキュメントを指定した型のオブジェクトに逆シリアル化したりできる、 クラスの新しいインスタンスを初期化します。シリアル化される各オブジェクトはそれ自体がクラスのインスタンスを含むことができ、それをこのオーバーロードによって他のクラスでオーバーライドします。
+ シリアル化するオブジェクトの型。
+
+ 。
+
+
+
+ 型のオブジェクトを XML ドキュメント インスタンスにシリアル化したり、XML ドキュメント インスタンスを 型のオブジェクトに逆シリアル化したりできる、 クラスの新しいインスタンスを初期化します。シリアル化される各オブジェクトはそれ自体がクラスのインスタンスを含むことができ、それをこのオーバーロードによって他のクラスでオーバーライドします。このオーバーロードでは、すべての XML 要素の既定の名前空間、および XML ルート要素として使用するクラスも指定します。
+
+ がシリアル化できるオブジェクトの型。
+
+ パラメーターで指定されたクラスの動作を拡張またはオーバーライドする 。
+ シリアル化する追加のオブジェクト型の 配列。
+ XML ルート要素プロパティを定義する 。
+ XML ドキュメント内のすべての XML 要素の既定の名前空間。
+
+
+ 指定した型のオブジェクトを XML ドキュメントにシリアル化したり、XML ドキュメントを指定した型のオブジェクトに逆シリアル化したりできる、 クラスの新しいインスタンスを初期化します。また、XML ルート要素として使用するクラスを指定します。
+
+ がシリアル化できるオブジェクトの型。
+ XML ルート要素を表す 。
+
+
+
+ が、指定された XML ドキュメントを逆シリアル化できるかどうかを示す値を取得します。
+
+ が指すオブジェクトを が逆シリアル化できる場合は true。それ以外の場合は false。
+ 逆シリアル化するドキュメントを指す 。
+
+
+ 指定した に格納されている XML ドキュメントを逆シリアル化します。
+ 逆シリアル化される 。
+ 逆シリアル化する XML ドキュメントを格納している 。
+
+
+ 指定した に格納されている XML ドキュメントを逆シリアル化します。
+ 逆シリアル化される 。
+ 逆シリアル化する XML ドキュメントを格納している 。
+ 逆シリアル化中にエラーが発生しました。元の例外には、 プロパティを使用してアクセスできます。
+
+
+ 指定した に格納されている XML ドキュメントを逆シリアル化します。
+ 逆シリアル化される 。
+ 逆シリアル化する XML ドキュメントを格納している 。
+ 逆シリアル化中にエラーが発生しました。元の例外には、 プロパティを使用してアクセスできます。
+
+
+ 型の配列から作成された、 オブジェクトの配列を返します。
+
+ オブジェクトの配列。
+
+ オブジェクトの配列。
+
+
+ 指定した をシリアル化し、生成された XML ドキュメントを、指定した を使用してファイルに書き込みます。
+ XML ドキュメントを書き込むために使用する 。
+ シリアル化する 。
+ シリアル化中にエラーが発生しました。元の例外には、 プロパティを使用してアクセスできます。
+
+
+ 指定した をシリアル化し、指定した を使用して、指定した名前空間を参照し、生成された XML ドキュメントをファイルに書き込みます。
+ XML ドキュメントを書き込むために使用する 。
+ シリアル化する 。
+ オブジェクトが参照する 。
+ シリアル化中にエラーが発生しました。元の例外には、 プロパティを使用してアクセスできます。
+
+
+ 指定した をシリアル化し、生成された XML ドキュメントを、指定した を使用してファイルに書き込みます。
+ XML ドキュメントを書き込むために使用する 。
+ シリアル化する 。
+
+
+ 指定した をシリアル化し、指定した を使用して XML ドキュメントをファイルに書き込み、指定した名前空間を参照します。
+ XML ドキュメントを書き込むために使用する 。
+ シリアル化する 。
+ 生成された XML ドキュメントで使用する名前空間を格納している 。
+ シリアル化中にエラーが発生しました。元の例外には、 プロパティを使用してアクセスできます。
+
+
+ 指定した をシリアル化し、生成された XML ドキュメントを、指定した を使用してファイルに書き込みます。
+ XML ドキュメントを書き込むために使用する 。
+ シリアル化する 。
+ シリアル化中にエラーが発生しました。元の例外には、 プロパティを使用してアクセスできます。
+
+
+ 指定した をシリアル化し、指定した を使用して XML ドキュメントをファイルに書き込み、指定した名前空間を参照します。
+ XML ドキュメントを書き込むために使用する 。
+ シリアル化する 。
+ オブジェクトが参照する 。
+ シリアル化中にエラーが発生しました。元の例外には、 プロパティを使用してアクセスできます。
+
+
+
+ が XML ドキュメント インスタンスで修飾名を生成するために使用する XML 名前空間とプレフィックスが格納されています。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ プレフィックスと名前空間のペアのコレクションを保持する XmlSerializerNamespaces のインスタンスを指定して、 クラスの新しいインスタンスを初期化します。
+ 名前空間とプレフィックスのペアを保持する のインスタンス。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+ オブジェクトの配列。
+
+
+
+ オブジェクトにプレフィックスと名前空間のペアを追加します。
+ XML 名前空間に関連付けられているプリフィックス。
+ XML 名前空間。
+
+
+ コレクション内のプレフィックスと名前空間のペアの数を取得します。
+ コレクション内のプレフィックスと名前空間のペアの数。
+
+
+
+ オブジェクト内のプレフィックスと名前空間のペアの配列を取得します。
+ XML ドキュメントで修飾名として使用される オブジェクトの配列。
+
+
+
+ が、クラスをシリアル化または逆シリアル化するときに、そのクラスに含まれる特定のメンバーを XML テキストとして処理する必要があることを指定します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+ シリアル化するメンバーの 。
+
+
+
+ によって生成されたテキストの XML スキーマ定義言語 (XSD: XML Schema Definition Language) データ型を取得または設定します。
+ W3C (World Wide Web Consortium) (www.w3.org ) のドキュメント『XML Schema Part 2: Datatypes』で定義されている XML スキーマ (XSD) データ型。
+ 指定した XML スキーマ データ型を .NET データ型に割り当てることはできません。
+ 指定した XML スキーマ データ型はプロパティとしては無効なので、そのメンバー型に変換できません。
+
+
+ メンバーの型を取得または設定します。
+ メンバーの 。
+
+
+ この属性が適用された対象が によってシリアル化されるときに生成される XML スキーマを制御します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML 型の名前を指定します。
+
+ がクラス インスタンスをシリアル化する場合に生成する (およびクラス インスタンスを逆シリアル化する場合に認識する) XML 型の名前。
+
+
+ 結果のスキーマ型が XSD 匿名型であるかどうかを判断する値を取得または設定します。
+ 結果のスキーマ型が XSD 匿名型である場合は true。それ以外の場合は false。
+
+
+ XML スキーマ ドキュメントに型を含めるかどうかを示す値を取得または設定します。
+ XML スキーマ ドキュメントに型を含める場合は true。それ以外の場合は false。
+
+
+ XML 型の名前空間を取得または設定します。
+ XML 型の名前空間。
+
+
+ XML 型の名前を取得または設定します。
+ XML 型の名前。
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/ko/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/ko/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..4398faa
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/ko/System.Xml.XmlSerializer.xml
@@ -0,0 +1,1062 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ 멤버( 개체의 배열을 반환하는 필드)가 XML 특성을 포함할 수 있도록 지정합니다.
+
+
+
+ 클래스의 새 인스턴스를 만듭니다.
+
+
+ 멤버( 또는 개체의 배열을 반환하는 필드)가 serialize 또는 deserialize되고 있는 개체에 해당 멤버가 없는 XML 요소를 나타내는 개체를 포함하도록 지정합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하며 XML 문서에 생성된 XML 요소의 이름을 지정합니다.
+
+ 가 생성하는 XML 요소의 이름입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하며 XML 문서와 이 문서의 XML 네임스페이스에 생성된 XML 요소의 이름을 지정합니다.
+
+ 가 생성하는 XML 요소의 이름입니다.
+ XML 요소의 XML 네임스페이스입니다.
+
+
+ XML 요소 이름을 가져오거나 설정합니다.
+ XML 요소의 이름입니다.
+ 배열 멤버의 요소 이름이 속성으로 지정한 요소 이름과 일치하지 않는 경우
+
+
+ XML 문서에 생성된 XML 네임스페이스를 가져오거나 설정합니다.
+ XML 네임스페이스입니다.
+
+
+ 요소가 serialize 또는 deserialize되는 명시적 순서를 가져오거나 설정합니다.
+ 코드가 생성되는 순서입니다.
+
+
+
+ 개체의 컬렉션을 나타냅니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 를 컬렉션에 추가합니다.
+ 새로 추가한 의 인덱스입니다.
+ 추가할 입니다.
+
+
+
+ 에서 개체를 모두 제거합니다.이 메서드는 재정의할 수 없습니다.
+
+
+ 지정된 가 컬렉션에 있는지 여부를 나타내는 값을 가져옵니다.
+
+ 가 컬렉션에 있으면 true이고, 그렇지 않으면 false입니다.
+ 원하는 입니다.
+
+
+ 대상 배열의 지정된 인덱스에서 시작하여 전체 컬렉션을 호환 가능한 개체의 1차원 배열에 복사합니다.
+ 컬렉션에서 복사된 요소의 대상인 개체의 일차원 배열입니다.배열에서 0부터 시작하는 인덱스를 사용해야 합니다.
+
+ 에서 복사가 시작되는 인덱스(0부터 시작)입니다.
+
+
+
+ 인스턴스에 포함된 요소의 수를 가져옵니다.
+
+ 인스턴스에 포함된 요소의 수입니다.
+
+
+
+ 을 반복하는 열거자를 반환합니다.
+
+ 를 반복하는 열거자입니다.
+
+
+ 지정된 의 인덱스를 가져옵니다.
+ 지정된 의 인덱스입니다.
+ 원하는 의 인덱스입니다.
+
+
+ 지정된 인덱스의 컬렉션에 를 삽입합니다.
+
+ 가 삽입되는 위치의 인덱스입니다.
+ 삽입할 입니다.
+
+
+ 지정된 인덱스에 있는 를 가져오거나 설정합니다.
+ 지정된 인덱스의 입니다.
+
+ 의 인덱스입니다.
+
+
+ 컬렉션에서 지정된 을 제거합니다.
+ 제거할 입니다.
+
+
+
+ 의 지정한 인덱스에서 요소를 제거합니다.이 메서드는 재정의할 수 없습니다.
+ 제거할 요소의 인덱스입니다.
+
+
+ 대상 배열의 지정된 인덱스에서 시작하여 전체 컬렉션을 호환 가능한 개체의 1차원 배열에 복사합니다.
+ 1차원 배열입니다.
+ 지정한 인덱스입니다.
+
+
+
+ 에 대한 액세스가 동기화되어 스레드로부터 안전하게 보호되는지 여부를 나타내는 값을 가져옵니다.
+
+ 에 대한 액세스가 동기화되면 True이고, 그렇지 않으면 false입니다.
+
+
+
+ 에 대한 액세스를 동기화하는 데 사용할 수 있는 개체를 가져옵니다.
+
+ 에 대한 액세스를 동기화하는 데 사용할 수 있는 개체입니다.
+
+
+ 개체를 의 끝 부분에 추가합니다.
+ 컬렉션에 추가된 개체입니다.
+ 컬렉션에 추가할 개체의 값입니다.
+
+
+
+ 에 특정 요소가 들어 있는지 여부를 확인합니다.
+
+ 에 특정 요소가 있으면 True이고, 그렇지 않으면 false입니다.
+ 요소의 값입니다.
+
+
+ 지정한 개체를 검색하고, 전체 에서 이 개체가 처음 나타나는 인덱스(0부터 시작)를 반환합니다.
+ 개체의 0부터 시작하는 인덱스입니다.
+ 개체의 값입니다.
+
+
+
+ 의 지정된 인덱스에 요소를 삽입합니다.
+ 요소가 삽입되는 인덱스입니다.
+ 요소의 값입니다.
+
+
+
+ 의 크기가 고정되어 있는지 여부를 나타내는 값을 가져옵니다.
+
+ 가 고정 크기이면 True이고, 그렇지 않으면 false입니다.
+
+
+
+ 이 읽기 전용인지 여부를 나타내는 값을 가져옵니다.
+
+ 이 읽기 전용이면 True이고, 그렇지 않으면 false입니다.
+
+
+ 지정된 인덱스에 있는 요소를 가져오거나 설정합니다.
+ 지정된 인덱스의 요소입니다.
+ 요소의 인덱스입니다.
+
+
+
+ 에서 맨 처음 발견되는 특정 개체를 제거합니다.
+ 제거된 개체의 값입니다.
+
+
+
+ 가 특정 클래스 멤버를 XML 요소의 배열로 serialize하도록 지정합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하며 XML 문서 인스턴스에서 생성된 XML 요소의 이름을 지정합니다.
+
+ 가 생성하는 XML 요소의 이름입니다.
+
+
+ serialize된 배열에 지정되어 있는 XML 요소의 이름을 가져오거나 설정합니다.
+ serialize된 배열의 XML 요소 이름으로,기본값은 가 할당된 멤버의 이름입니다.
+
+
+
+ 에서 생성한 XML 요소 이름이 정규화되었는지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 값 중 하나입니다.기본값은 XmlSchemaForm.None입니다.
+
+
+
+ 가 멤버를 xsi:nil 특성이 true로 설정된 빈 XML 태그로 serialize해야 하는지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 가 xsi:nil 특성을 생성하면 true이고, 그렇지 않으면 false입니다.
+
+
+ XML 요소의 네임스페이스를 가져오거나 설정합니다.
+ XML 요소의 네임스페이스입니다.
+
+
+ 요소가 serialize 또는 deserialize되는 명시적 순서를 가져오거나 설정합니다.
+ 코드가 생성되는 순서입니다.
+
+
+
+ 가 serialize된 배열에 배치할 수 있는 파생 형식을 지정하는 특성을 나타냅니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 XML 문서에 생성된 XML 요소의 이름을 지정합니다.
+ XML 요소의 이름입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 XML 문서에 생성된 XML 요소의 이름 및 생성된 XML 문서에 삽입할 수 있는 을 지정합니다.
+ XML 요소의 이름입니다.
+ serialize할 개체의 입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 serialize된 배열에 삽입할 수 있는 을 지정합니다.
+ serialize할 개체의 입니다.
+
+
+ 생성된 XML 요소의 XML 데이터 형식을 가져오거나 설정합니다.
+ World Wide Web 컨소시엄(www.w3.org) 문서의 "XML Schema Part 2: Datatypes"에 정의된 XSD(XML 스키마 정의) 데이터 형식입니다.
+
+
+ 생성된 XML 요소의 이름을 가져오거나 설정합니다.
+ 생성된 XML 요소의 이름입니다.기본값은 멤버 식별자입니다.
+
+
+ 생성된 XML 요소의 이름이 정규화된 이름인지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 값 중 하나입니다.기본값은 XmlSchemaForm.None입니다.
+
+ 속성이 XmlSchemaForm.Unqualified로 설정되어 있으며 값이 지정되어 있는 경우
+
+
+
+ 가 멤버를 xsi:nil 특성이 true로 설정된 빈 XML 태그로 serialize해야 하는지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 가 xsi:nil 특성을 생성하면 true이고, 그렇지 않으면 false이고 인스턴스가 생성되지 않습니다.기본값은 true입니다.
+
+
+ 생성된 XML 요소의 네임스페이스를 가져오거나 설정합니다.
+ 생성된 XML 요소의 네임스페이스입니다.
+
+
+ XML 요소 계층 구조에서 가 영향을 주는 수준을 가져오거나 설정합니다.
+ 배열의 배열에 있는 인덱스 집합의 인덱스(0부터 시작)입니다.
+
+
+ 배열에 사용할 수 있는 형식을 가져오거나 설정합니다.
+ 배열에 사용할 수 있는 입니다.
+
+
+
+ 개체의 컬렉션을 나타냅니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 를 컬렉션에 추가합니다.
+ 추가된 항목의 인덱스입니다.
+ 컬렉션에 추가할 입니다.
+
+
+
+ 에서 요소를 모두 제거합니다.
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+ 컬렉션에 지정한 가 들어 있는지 여부를 확인합니다.
+ 컬렉션에 지정한 가 있으면 true이고, 그렇지 않으면 false입니다.
+ 확인할 입니다.
+
+
+ 지정한 대상 인덱스에서 시작하여 배열을 컬렉션에 복사합니다.
+ 컬렉션에 복사할 개체의 배열입니다.
+ 복사된 특성이 시작되는 인덱스입니다.
+
+
+
+ 에 포함된 요소 수를 가져옵니다.
+
+ 에 포함된 요소 수입니다.
+
+
+ 전체 에 대한 열거자를 반환합니다.
+ 전체 의 입니다.
+
+
+ 컬렉션에서 지정한 가 처음 나타나는 인덱스(0부터 시작)를 반환하고, 컬렉션에 특성이 없으면 -1을 반환합니다.
+ 컬렉션에서 의 첫 번째 인덱스이고, 컬렉션에 특성이 없으면 -1입니다.
+ 컬렉션에서 찾을 입니다.
+
+
+ 지정된 인덱스의 컬렉션에 를 삽입합니다.
+ 특성이 삽입되는 인덱스입니다.
+ 삽입할 입니다.
+
+
+ 지정한 인덱스에 있는 항목을 가져오거나 설정합니다.
+ 지정된 인덱스에 있는 입니다.
+ 가져오거나 설정할 컬렉션 멤버의 인덱스(0부터 시작)입니다.
+
+
+
+ 가 컬렉션에 있는 경우 컬렉션에서 이를 제거합니다.
+ 제거할 입니다.
+
+
+ 지정한 인덱스에서 항목을 제거합니다.
+ 제거할 항목의 인덱스(0부터 시작)입니다.
+
+ 가 의 유효한 인덱스가 아닌 경우
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+ 대상 배열의 지정된 인덱스에서 시작하여 전체 을 호환되는 1차원 에 복사합니다.
+
+ 에서 복사한 요소의 대상인 일차원 입니다.에는 0부터 시작하는 인덱스가 있어야 합니다.
+
+
+
+ 에 대한 액세스가 동기화되어 스레드로부터 안전하게 보호되는지 여부를 나타내는 값을 가져옵니다.
+
+ 에 대한 액세스가 동기화되어 스레드로부터 안전하게 보호되면 true이고, 그렇지 않으면 false입니다.
+
+
+
+ 개체를 의 끝 부분에 추가합니다.
+
+ 가 추가된 인덱스입니다.
+
+ 의 끝에 추가할 입니다.값은 null이 될 수 있습니다.
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+ 컬렉션에 지정한 이 들어 있는지 여부를 확인합니다.
+ 컬렉션에 지정한 가 있으면 true이고, 그렇지 않으면 false입니다.
+
+
+ 컬렉션에서 지정한 가 처음 나타나는 인덱스(0부터 시작)를 반환하고, 컬렉션에 특성이 없으면 1을 반환합니다.
+ 컬렉션에서 의 첫 번째 인덱스이고, 컬렉션에 특성이 없으면 -1입니다.
+
+
+
+ 의 지정된 인덱스에 요소를 삽입합니다.
+
+ 를 삽입해야 하는 인덱스(0부터 시작)입니다.
+ 삽입할 입니다.값은 null이 될 수 있습니다.
+
+ 가 0보다 작은 경우또는 가 보다 큰 경우
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+
+ 의 크기가 고정되어 있는지 여부를 나타내는 값을 가져옵니다.
+
+ 의 크기가 고정되어 있으면 true이고, 그렇지 않으면 false입니다.
+
+
+
+ 이 읽기 전용인지 여부를 나타내는 값을 가져옵니다.
+
+ 이 읽기 전용이면 true이고, 그렇지 않으면 false입니다.
+
+
+ 지정한 인덱스에 있는 항목을 가져오거나 설정합니다.
+ 지정된 인덱스에 있는 입니다.
+ 가져오거나 설정할 컬렉션 멤버의 인덱스(0부터 시작)입니다.
+
+
+
+ 에서 맨 처음 발견되는 특정 개체를 제거합니다.
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+
+ 가 해당 클래스 멤버를 XML 특성으로 serialize하도록 지정합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 생성된 XML 특성의 이름을 지정합니다.
+
+ 가 생성하는 XML 특성의 이름입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+ 생성되는 XML 특성의 이름입니다.
+ 특성을 저장하는 데 사용되는 입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+ 특성을 저장하는 데 사용되는 입니다.
+
+
+ XML 특성의 이름을 가져오거나 설정합니다.
+ XML 특성의 이름입니다.기본값은 멤버 이름입니다.
+
+
+
+ 에 의해 생성된 XML 특성의 XSD 데이터 형식을 가져오거나 설정합니다.
+ World Wide Web 컨소시엄(www.w3.org) 문서의 "XML Schema Part 2: Datatypes"에 정의된 XSD(XML 스키마 문서) 데이터 형식입니다.
+
+
+
+ 를 통해 생성된 XML 특성의 이름이 정규화된 이름인지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 값 중 하나입니다.기본값은 XmlForm.None입니다.
+
+
+ XML 특성의 XML 네임스페이스를 가져오거나 설정합니다.
+ XML 특성의 XML 네임스페이스입니다.
+
+
+ XML 특성의 복합 형식을 가져오거나 설정합니다.
+ XML 특성의 형식입니다.
+
+
+
+ 를 사용하여 개체를 serialize하거나 deserialize하면 속성, 필드 및 클래스 특성을 재정의할 수 있습니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 개체를 개체 컬렉션에 추가합니다. 매개 변수는 재정의할 개체를 지정합니다. 매개 변수는 재정의되는 멤버의 이름을 지정합니다.
+ 재정의할 개체의 입니다.
+ 재정의할 멤버의 이름입니다.
+ 재정의 특성을 나타내는 개체입니다.
+
+
+
+ 개체를 개체 컬렉션에 추가합니다. 매개 변수는 개체로 재정의할 개체를 지정합니다.
+ 재정의되는 개체의 입니다.
+ 재정의 특성을 나타내는 개체입니다.
+
+
+ 지정한 기본 클래스 형식과 관련된 개체를 가져옵니다.
+ 재정의 특성의 컬렉션을 나타내는 입니다.
+ 검색할 특성의 컬렉션과 관련된 기본 클래스 입니다.
+
+
+ 지정한 (기본 클래스) 형식과 관련된 개체를 가져옵니다.해당 멤버 매개 변수는 재정의되는 기본 클래스 멤버를 지정합니다.
+ 재정의 특성의 컬렉션을 나타내는 입니다.
+ 원하는 특성의 컬렉션과 관련된 기본 클래스 입니다.
+ 반환할 를 지정하는 재정의된 멤버의 이름입니다.
+
+
+
+ 가 개체를 serialize 및 deserialize하는 방식을 제어하는 특성 개체의 컬렉션을 나타냅니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 재정의할 를 가져오거나 설정합니다.
+ 재정의할 입니다.
+
+
+ 재정의할 개체의 컬렉션을 가져옵니다.
+
+ 개체의 컬렉션을 나타내는 개체입니다.
+
+
+
+ 가 배열을 반환하는 공용 필드 또는 읽기/쓰기 속성을 serialize하는 방식을 지정하는 개체를 가져오거나 설정합니다.
+
+ 가 배열을 반환하는 공용 필드 또는 읽기/쓰기 속성을 serialize하는 방식을 지정하는 입니다.
+
+
+
+ 가 공용 필드 또는 읽기/쓰기 속성에 의해 반환된 배열 내에 삽입된 항목을 serialize하는 방식을 지정하는 개체 컬렉션을 가져오거나 설정합니다.
+
+ 개체의 컬렉션을 포함하는 개체입니다.
+
+
+
+ 가 공용 필드 또는 공용 읽기/쓰기 속성을 XML 특성으로 serialize하는 방식을 지정하는 개체를 가져오거나 설정합니다.
+ 공용 필드 또는 읽기/쓰기 속성을 XML 특성으로 serialize하는 것을 제어하는 입니다.
+
+
+ 일련의 선택을 명확하게 구별하는 개체를 가져오거나 설정합니다.
+ xsi:choice 요소로 serialize되는 클래스 멤버에 적용할 수 있는 입니다.
+
+
+ XML 요소 또는 특성의 기본값을 가져오거나 설정합니다.
+ XML 요소 또는 특성의 기본값을 나타내는 입니다.
+
+
+
+ 가 공용 필드 또는 읽기/쓰기 속성을 XML 요소로 serialize하는 방식을 지정하는 개체의 컬렉션을 가져옵니다.
+
+ 개체의 컬렉션을 포함하는 입니다.
+
+
+
+ 가 열거형 멤버를 serialize하는 방식을 지정하는 개체를 가져오거나 설정합니다.
+
+ 가 열거형 멤버를 serialize하는 방식을 지정하는 입니다.
+
+
+
+ 가 공용 필드 또는 읽기/쓰기 속성을 serialize하는지 여부를 지정하는 값을 가져오거나 설정합니다.
+
+ 가 필드 또는 속성을 serialize하지 않으면 true이고, 그렇지 않으면 false입니다.
+
+
+
+ 개체를 반환하는 멤버가 들어 있는 개체가 재정의될 때 모든 네임스페이스 선언을 유지할지 여부를 지정하는 값을 가져오거나 설정합니다.
+ 네임스페이스 선언을 유지해야 한다면 true이고, 그렇지 않으면 false입니다.
+
+
+
+ 가 클래스를 XML 루트 요소로 serialize하는 방식을 지정하는 개체를 가져오거나 설정합니다.
+ XML 루트 요소로 지정된 클래스를 재정의하는 입니다.
+
+
+
+ 가 공용 필드 또는 공용 읽기/쓰기 속성을 XML 텍스트로 serialize하도록 하는 개체를 가져오거나 설정합니다.
+ 공용 속성 또는 필드의 기본 serialization을 재정의하는 입니다.
+
+
+
+ 가 적용된 클래스를 가 serialize하는 방식을 지정하는 개체를 가져오거나 설정합니다.
+ 클래스 선언에 적용된 를 재정의하는 입니다.
+
+
+ 열거형을 사용하여 멤버를 추가로 검색할 수 있음을 지정합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+ 선택을 검색하는 데 사용하는 열거형을 반환하는 멤버 이름입니다.
+
+
+ 형식을 검색하는 경우 사용할 열거형을 반환하는 필드의 이름을 가져오거나 설정합니다.
+ 열거형을 반환하는 필드의 이름입니다.
+
+
+ 공용 필드 또는 속성을 포함하는 개체를 가 serialize하거나 deserialize할 때 해당 필드나 속성이 XML 요소를 나타냄을 의미합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 XML 요소의 이름을 지정합니다.
+ serialize된 멤버의 XML 요소 이름입니다.
+
+
+
+ 의 새 인스턴스를 초기화하고 XML 요소의 이름을 지정하며 가 적용되는 멤버의 파생 형식도 지정합니다.이 멤버 형식은 가 이를 포함하는 개체를 serialize할 때 사용됩니다.
+ serialize된 멤버의 XML 요소 이름입니다.
+ 멤버의 형식에서 파생된 개체의 입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 가 적용되는 멤버에 대한 형식을 지정합니다.이 형식은 가 이를 포함하는 개체를 serialize하거나 deserialize할 때 사용됩니다.
+ 멤버의 형식에서 파생된 개체의 입니다.
+
+
+
+ 에 의해 생성된 XML 요소의 XSD(XML 스키마 정의) 데이터 형식을 가져오거나 설정합니다.
+ XML 스키마 데이터 형식에 대한 자세한 내용은 World Wide Web 컨소시엄(www.w3.org) 문서 "XML Schema Part 2: Datatypes"를 참조하십시오.
+ 지정한 XML 스키마 데이터 형식을 .NET 데이터 형식에 매핑할 수 없는 경우
+
+
+ 생성된 XML 요소의 이름을 가져오거나 설정합니다.
+ 생성된 XML 요소의 이름입니다.기본값은 멤버 식별자입니다.
+
+
+ 요소가 한정되었는지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 값 중 하나입니다.기본값은 입니다.
+
+
+
+ 가 null로 설정된 멤버를 xsi:nil 특성이 true로 설정된 빈 태그로 serialize해야 하는지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 가 xsi:nil 특성을 생성하면 true이고, 그렇지 않으면 false입니다.
+
+
+ 클래스가 serialize될 때 결과로 만들어지는 XML 요소에 할당된 네임스페이스를 가져오거나 설정합니다.
+ XML 요소의 네임스페이스입니다.
+
+
+ 요소가 serialize 또는 deserialize되는 명시적 순서를 가져오거나 설정합니다.
+ 코드가 생성되는 순서입니다.
+
+
+ XML 요소를 나타내는 데 사용되는 개체 형식을 가져오거나 설정합니다.
+ 멤버의 입니다.
+
+
+
+ 가 클래스를 serialize하는 기본 방식을 재정의하는 데 사용하는 개체의 컬렉션을 나타냅니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 를 컬렉션에 추가합니다.
+ 새로 추가한 항목의 인덱스(0부터 시작)입니다.
+ 추가할 입니다.
+
+
+
+ 에서 요소를 모두 제거합니다.
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+ 컬렉션에 지정된 개체가 들어 있는지 여부를 확인합니다.
+ 개체가 컬렉션에 있으면 true이고, 그렇지 않으면 false입니다.
+ 찾아볼 입니다.
+
+
+
+ 또는 그 일부를 1차원 배열에 복사합니다.
+ 복사된 요소를 보유하는 배열입니다.
+
+ 에서 복사가 시작되는 인덱스(0부터 시작)입니다.
+
+
+
+ 에 포함된 요소 수를 가져옵니다.
+
+ 에 포함된 요소 수입니다.
+
+
+ 전체 에 대한 열거자를 반환합니다.
+ 전체 의 입니다.
+
+
+ 지정된 의 인덱스를 가져옵니다.
+
+ 의 인덱스이며 0에서 시작합니다.
+ 인덱스가 검색되는 입니다.
+
+
+
+ 를 컬렉션에 삽입합니다.
+ 멤버가 삽입된 0부터 시작하는 인덱스입니다.
+ 삽입할 입니다.
+
+
+ 지정된 인덱스에 있는 요소를 가져오거나 설정합니다.
+ 지정된 인덱스의 요소입니다.
+ 가져오거나 설정할 요소의 인덱스(0부터 시작)입니다.
+
+ 가 의 유효한 인덱스가 아닌 경우
+ 속성이 설정되어 있으며 가 읽기 전용인 경우
+
+
+ 컬렉션에서 지정된 개체를 제거합니다.
+ 컬렉션에서 제거할 입니다.
+
+
+ 지정한 인덱스에서 항목을 제거합니다.
+ 제거할 항목의 인덱스(0부터 시작)입니다.
+
+ 가 의 유효한 인덱스가 아닌 경우
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+ 대상 배열의 지정된 인덱스에서 시작하여 전체 을 호환되는 1차원 에 복사합니다.
+
+ 에서 복사한 요소의 대상인 일차원 입니다.에는 0부터 시작하는 인덱스가 있어야 합니다.
+
+
+
+ 에 대한 액세스가 동기화되어 스레드로부터 안전하게 보호되는지 여부를 나타내는 값을 가져옵니다.
+
+ 에 대한 액세스가 동기화되어 스레드로부터 안전하게 보호되면 true이고, 그렇지 않으면 false입니다.
+
+
+
+ 에 대한 액세스를 동기화하는 데 사용할 수 있는 개체를 가져옵니다.
+
+ 에 대한 액세스를 동기화하는 데 사용할 수 있는 개체입니다.
+
+
+ 개체를 의 끝 부분에 추가합니다.
+
+ 가 추가된 인덱스입니다.
+
+ 의 끝에 추가할 입니다.값은 null이 될 수 있습니다.
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+
+ 에 특정 값이 들어 있는지 여부를 확인합니다.
+
+ 가 에 있으면 true이고, 그렇지 않으면 false입니다.
+
+ 에서 찾을 개체입니다.
+
+
+
+ 에서 특정 항목의 인덱스를 확인합니다.
+ 목록에 있으면 의 인덱스이고, 그렇지 않으면 -1입니다.
+
+ 에서 찾을 개체입니다.
+
+
+
+ 의 지정된 인덱스에 요소를 삽입합니다.
+
+ 를 삽입해야 하는 인덱스(0부터 시작)입니다.
+ 삽입할 입니다.값은 null이 될 수 있습니다.
+
+ 가 0보다 작은 경우또는 가 보다 큰 경우
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+
+ 의 크기가 고정되어 있는지 여부를 나타내는 값을 가져옵니다.
+
+ 의 크기가 고정되어 있으면 true이고, 그렇지 않으면 false입니다.
+
+
+
+ 이 읽기 전용인지 여부를 나타내는 값을 가져옵니다.
+
+ 이 읽기 전용이면 true이고, 그렇지 않으면 false입니다.
+
+
+ 지정된 인덱스에 있는 요소를 가져오거나 설정합니다.
+ 지정된 인덱스의 요소입니다.
+ 가져오거나 설정할 요소의 인덱스(0부터 시작)입니다.
+
+ 가 의 유효한 인덱스가 아닌 경우
+ 속성이 설정되어 있으며 가 읽기 전용인 경우
+
+
+
+ 에서 맨 처음 발견되는 특정 개체를 제거합니다.
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+
+ 가 열거형 멤버를 serialize하는 방식을 제어합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 가 열거형을 serialize하거나 deserialize할 때 생성하거나 인식하는 XML 값을 지정합니다.
+ 열거형 멤버의 재정의 이름입니다.
+
+
+
+ 가 열거형을 serialize할 때 XML 문서 인스턴스에서 생성된 값 또는 열거형 멤버를 deserialize할 때 인식된 값을 가져오거나 설정합니다.
+
+ 가 열거형을 serialize할 때 XML 문서 인스턴스에서 생성된 값, 또는 열거형 멤버를 deserialize할 때 인식된 값입니다.
+
+
+
+ 의 메서드를 호출하여 공용 필드 또는 공용 읽기/쓰기 속성 값을 serialize하지 않도록 합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 가 개체를 serialize하거나 deserialize할 때 형식을 인식할 수 있게 합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+ 포함할 개체의 입니다.
+
+
+ 포함할 개체의 형식을 가져오거나 설정합니다.
+ 포함할 개체의 입니다.
+
+
+ 대상 속성, 매개 변수, 반환 값 또는 클래스 멤버가 XML 문서 내에서 사용되는 네임스페이스와 연관된 접두사를 포함하도록 지정합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 특성 대상의 XML serialization을 XML 루트 요소로 제어합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 XML 루트 요소의 이름을 지정합니다.
+ XML 루트 요소의 이름입니다.
+
+
+ XML 루트 요소의 XSD 데이터 형식을 가져오거나 설정합니다.
+ World Wide Web 컨소시엄(www.w3.org) 문서의 "XML Schema Part 2: Datatypes"에 정의된 XSD(XML 스키마 문서) 데이터 형식입니다.
+
+
+
+ 클래스의 및 메서드에 의해 각각 생성되고 인식되는 XML 요소의 이름을 가져오거나 설정합니다.
+ XML 문서 인스턴스에서 생성되고 인식되는 XML 루트 요소의 이름입니다.기본값은 serialize된 클래스의 이름입니다.
+
+
+
+ 가 null로 설정된 멤버를 true로 설정된 xsi:nil 특성으로 serialize해야 하는지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 가 xsi:nil 특성을 생성하면 true이고, 그렇지 않으면 false입니다.
+
+
+ XML 루트 요소의 네임스페이스를 가져오거나 설정합니다.
+ XML 요소의 네임스페이스입니다.
+
+
+ XML 문서로 개체를 serialize하고 XML 문서에서 개체를 deserialize합니다.를 사용하면 개체가 XML로 인코딩되는 방식을 제어할 수 있습니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 지정된 형식의 개체를 XML 문서로 serialize하고 XML 문서를 지정된 형식의 개체로 deserialize할 수 있는 클래스의 새 인스턴스를 초기화합니다.
+ 이 가 serialize할 수 있는 개체의 형식입니다.
+
+
+ 지정된 형식의 개체를 XML 문서로 serialize하고 XML 문서를 지정된 형식의 개체로 deserialize할 수 있는 클래스의 새 인스턴스를 초기화합니다.모든 XML 요소의 기본 네임스페이스를 지정합니다.
+ 이 가 serialize할 수 있는 개체의 형식입니다.
+ 모든 XML 요소에 사용할 기본 네임스페이스입니다.
+
+
+ 지정된 형식의 개체를 XML 문서로 serialize하고 XML 문서를 지정된 형식의 개체로 deserialize할 수 있는 클래스의 새 인스턴스를 초기화합니다.필드 또는 속성이 배열을 반환하는 경우 매개 변수는 배열에 삽입될 수 있는 개체를 지정합니다.
+ 이 가 serialize할 수 있는 개체의 형식입니다.
+ serialize할 추가 개체 형식으로 이루어진 배열입니다.
+
+
+ 지정된 형식의 개체를 XML 문서로 serialize하고 XML 문서를 지정된 형식의 개체로 deserialize할 수 있는 클래스의 새 인스턴스를 초기화합니다.serialize되는 각 개체는 클래스의 인스턴스를 포함할 수 있으며, 이 오버로드는 다른 클래스로 재정의할 수 있습니다.
+ serialize할 개체의 형식입니다.
+
+ 입니다.
+
+
+
+ 형식의 개체를 XML 문서 인스턴스로 serialize하고 XML 문서 인스턴스를 형식의 개체로 deserialize할 수 있는 클래스의 새 인스턴스를 초기화합니다.serialize되는 각 개체는 클래스의 인스턴스를 포함할 수 있으며, 이 오버로드에서 그 클래스를 다른 클래스로 재정의합니다.또한 이 오버로드는 모든 XML 요소의 기본 네임스페이스 및 XML 루트 요소로 사용할 클래스를 지정합니다.
+ 이 가 serialize할 수 있는 개체의 형식입니다.
+
+ 매개 변수에 지정된 클래스의 동작을 확장하거나 재정의하는 입니다.
+ serialize할 추가 개체 형식으로 이루어진 배열입니다.
+ XML 요소 속성을 정의하는 입니다.
+ XML 문서에 있는 모든 XML 요소의 기본 네임스페이스입니다.
+
+
+ 지정된 형식의 개체를 XML 문서로 serialize하고 XML 문서를 지정된 형식의 개체로 deserialize할 수 있는 클래스의 새 인스턴스를 초기화합니다.또한 XML 루트 요소로 사용할 클래스를 지정합니다.
+ 이 가 serialize할 수 있는 개체의 형식입니다.
+ XML 루트 요소를 나타내는 입니다.
+
+
+ 이 가 지정된 XML 문서를 deserialize할 수 있는지 여부를 나타내는 값을 가져옵니다.
+
+ 가 가리키는 개체를 이 가 deserialize할 수 있으면 true이고, 그렇지 않으면 false입니다.
+ deserialize할 문서를 가리키는 입니다.
+
+
+ 지정된 에 포함된 XML 문서를 deserialize합니다.
+ deserialize되는 입니다.
+ deserialize할 XML 문서를 포함하는 입니다.
+
+
+ 지정된 에 포함된 XML 문서를 deserialize합니다.
+ deserialize되는 입니다.
+ deserialize할 XML 문서를 포함하는 입니다.
+ deserialization 중 오류가 발생했습니다. 속성을 사용하여 원래 예외를 사용할 수 있습니다.
+
+
+ 지정된 에 포함된 XML 문서를 deserialize합니다.
+ deserialize되는 입니다.
+ deserialize할 XML 문서를 포함하는 입니다.
+ deserialization 중 오류가 발생했습니다. 속성을 사용하여 원래 예외를 사용할 수 있습니다.
+
+
+ 형식 배열에서 만든 개체의 배열을 반환합니다.
+
+ 개체의 배열입니다.
+
+ 개체로 이루어진 배열입니다.
+
+
+ 지정된 를 serialize하고 지정된 을 사용하여 XML 문서를 파일에 씁니다.
+ XML 문서를 쓰는 데 사용되는 입니다.
+ serialize할 입니다.
+ serialization 중 오류가 발생했습니다. 속성을 사용하여 원래 예외를 사용할 수 있습니다.
+
+
+ 지정된 를 serialize하고 지정된 네임스페이스를 참조하는 지정된 을 사용하여 XML 문서를 파일에 씁니다.
+ XML 문서를 쓰는 데 사용되는 입니다.
+ serialize할 입니다.
+ 개체에서 참조하는 입니다.
+ serialization 중 오류가 발생했습니다. 속성을 사용하여 원래 예외를 사용할 수 있습니다.
+
+
+ 지정된 를 serialize하고 지정된 를 사용하여 XML 문서를 파일에 씁니다.
+ XML 문서를 쓰는 데 사용되는 입니다.
+ serialize할 입니다.
+
+
+ 지정된 를 serialize하고 지정된 를 사용하여 XML 문서를 파일에 쓰며 지정된 네임스페이스를 참조합니다.
+ XML 문서를 쓰는 데 사용되는 입니다.
+ serialize할 입니다.
+ 생성된 XML 문서의 네임스페이스를 포함하는 입니다.
+ serialization 중 오류가 발생했습니다. 속성을 사용하여 원래 예외를 사용할 수 있습니다.
+
+
+ 지정된 를 serialize하고 지정된 를 사용하여 XML 문서를 파일에 씁니다.
+ XML 문서를 쓰는 데 사용되는 입니다.
+ serialize할 입니다.
+ serialization 중 오류가 발생했습니다. 속성을 사용하여 원래 예외를 사용할 수 있습니다.
+
+
+ 지정된 를 serialize하고 지정된 를 사용하여 XML 문서를 파일에 쓰며 지정된 네임스페이스를 참조합니다.
+ XML 문서를 쓰는 데 사용되는 입니다.
+ serialize할 입니다.
+ 개체에서 참조하는 입니다.
+ serialization 중 오류가 발생했습니다. 속성을 사용하여 원래 예외를 사용할 수 있습니다.
+
+
+
+ 가 XML 문서 인스턴스에서 정규화된 이름을 생성하는 데 사용하는 XML 네임스페이스 및 접두사를 포함합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 접두사와 네임스페이스 쌍의 컬렉션을 포함하는 XmlSerializerNamespaces의 지정된 인스턴스를 사용하여 클래스의 새 인스턴스를 초기화합니다.
+ 네임스페이스와 접두사 쌍을 포함하는 의 인스턴스입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+ 개체로 이루어진 배열입니다.
+
+
+
+ 개체에 접두사와 네임스페이스 쌍을 추가합니다.
+ XML 네임스페이스와 관련된 접두사입니다.
+ XML 네임스페이스입니다.
+
+
+ 컬렉션에 있는 접두사와 네임스페이스 쌍의 개수를 가져옵니다.
+ 컬렉션에 있는 접두사와 네임스페이스 쌍의 개수입니다.
+
+
+
+ 개체에 있는 접두사와 네임스페이스 쌍으로 이루어진 배열을 가져옵니다.
+ XML 문서에서 정규화된 이름으로 사용되는 개체로 이루어진 배열입니다.
+
+
+ 멤버가 포함된 클래스가 serialize되거나 deserialize될 때 멤버를 XML 텍스트로 처리하도록 에 지정합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+ serialize할 개체의 입니다.
+
+
+
+ 에 의해 생성된 텍스트의 XSD(XML 스키마 정의) 데이터 형식을 가져오거나 설정합니다.
+ World Wide Web 컨소시엄(www.w3.org) 문서의 "XML Schema Part 2: Datatypes"에 정의된 XSD(XML 스키마 정의) 데이터 형식입니다.
+ 지정한 XML 스키마 데이터 형식을 .NET 데이터 형식에 매핑할 수 없는 경우
+ 지정한 XML 스키마 데이터 형식은 속성에 맞지 않으므로 멤버 형식으로 변환할 수 없는 경우
+
+
+ 멤버의 형식을 가져오거나 설정합니다.
+ 멤버의 입니다.
+
+
+
+ 가 특성 대상을 serialize할 때 생성되는 XML 스키마를 제어합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 XML 형식의 이름을 지정합니다.
+
+ 가 클래스 인스턴스를 serialize할 때 생성하고 클래스 인스턴스를 deserialize할 때 인식하는 XML 형식의 이름입니다.
+
+
+ 결과 스키마 형식이 XSD 익명 형식인지 여부를 결정하는 값을 가져오거나 설정합니다.
+ 결과 스키마 형식이 XSD 익명 형식이면 true이고, 그렇지 않으면 false입니다.
+
+
+ XML 스키마 문서에 형식을 포함할지 여부를 나타내는 값을 가져오거나 설정합니다.
+ XML 스키마 문서에 형식을 포함하려면 true이고, 그렇지 않으면 false입니다.
+
+
+ XML 형식의 네임스페이스를 가져오거나 설정합니다.
+ XML 형식의 네임스페이스입니다.
+
+
+ XML 형식의 이름을 가져오거나 설정합니다.
+ XML 형식의 이름입니다.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/ru/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/ru/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..2cf2723
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/ru/System.Xml.XmlSerializer.xml
@@ -0,0 +1,924 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ Указывает, что член (поле, возвращающее массив объектов ) может содержать любые атрибуты XML.
+
+
+ Конструирует новый экземпляр класса .
+
+
+ Указывает, что член (поле, возвращающее массив объектов или ) содержит объекты, представляющие любые элементы XML, не имеющие соответствующего члена в сериализуемом или десериализуемом объекте.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса и указывает имя элемента XML, сгенерированного в документе XML.
+ Имя XML-элемента, созданного при помощи .
+
+
+ Инициализация нового экземпляра класса и указывает имя элемента XML, сгенерированного в документе XML, и его пространство имен XML.
+ Имя XML-элемента, созданного при помощи .
+ Пространство имен XML элемента XML.
+
+
+ Возвращает или задает имя элемента XML.
+ Имя элемента XML.
+ Имя элемента члена массива не соответствует имени элемента, указанному свойством .
+
+
+ Возвращает или задает пространство имен XML, сгенерированное в документе XML.
+ Пространство имен XML.
+
+
+ Получает или задает порядок сериализации или десериализации элементов.
+ Порядок генерирования кода.
+
+
+ Представляет коллекцию объектов .
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Добавляет в коллекцию объект .
+ Индекс только что добавленного объекта .
+ Добавляемый объект .
+
+
+ Удаляет все объекты из .Этот метод не может быть переопределен.
+
+
+ Получает значение, которое указывает, содержится ли заданный объект в коллекции.
+ Значение true, если объект содержится в коллекции; в противном случае — значение false.
+ Нужный объект .
+
+
+ Копирует коллекцию целиком в совместимый одномерный массив объектов , начиная с заданного индекса целевого массива.
+ Одномерный массив объектов , который является конечным объектом копирования элементов коллекции.Индексация в массиве должна вестись с нуля.
+ Индекс (с нуля) в массиве , с которого начинается копирование.
+
+
+ Получает число элементов, содержащихся в экземпляре класса .
+ Число элементов, содержащихся в экземпляре класса .
+
+
+ Возвращает перечислитель, осуществляющий перебор элементов списка .
+ Перечислитель, выполняющий итерацию в наборе .
+
+
+ Получает индекс заданного ограничения .
+ Индекс указанного объекта .
+ Объект с нужным индексом.
+
+
+ Вставляет объект в коллекцию по заданному индексу.
+ Индекс вставки элемента .
+ Вставляемый объект .
+
+
+ Получает или задает объект с указанным индексом.
+ Объект по указанному индексу.
+ Индекс объекта .
+
+
+ Удаляет указанную панель объект из коллекции.
+ Объект для удаления.
+
+
+ Удаляет элемент списка с указанным индексом.Этот метод не может быть переопределен.
+ Индекс элемента, который должен быть удален.
+
+
+ Копирует коллекцию целиком в совместимый одномерный массив объектов , начиная с заданного индекса целевого массива.
+ Одномерный массив.
+ Заданный индекс.
+
+
+ Получает значение, показывающее, является ли доступ к коллекции синхронизированным (потокобезопасным).
+ True, если доступ к коллекции является синхронизированным; в противном случае — значение false.
+
+
+ Получает объект, с помощью которого можно синхронизировать доступ к коллекции .
+ Объект, который может использоваться для синхронизации доступа к коллекции .
+
+
+ Добавляет объект в конец коллекции .
+ Добавленный объект для коллекции.
+ Значение объекта для добавления в коллекцию.
+
+
+ Определяет, содержит ли интерфейс определенный элемент.
+ True, если содержит определенный элемент; в противном случае — значение false.
+ Значение элемента.
+
+
+ Осуществляет поиск указанного объекта и возвращает индекс (с нуля) первого вхождения, найденного в пределах всего .
+ Отсчитываемый от нуля индекс объекта.
+ Значение объекта.
+
+
+ Добавляет элемент в список в позиции с указанным индексом.
+ Индекс, указывающий, куда вставить элемент.
+ Значение элемента.
+
+
+ Получает значение, показывающее, имеет ли фиксированный размер.
+ True, если коллекция имеет фиксированный размер; в противном случае — значение false.
+
+
+ Получает значение, указывающее, доступна ли только для чтения.
+ Значение True, если доступна только для чтения; в противном случае — значение false.
+
+
+ Получает или задает элемент с указанным индексом.
+ Элемент с заданным индексом.
+ Индекс элемента.
+
+
+ Удаляет первый экземпляр указанного объекта из коллекции .
+ Значение удаленного объекта.
+
+
+ Указывает, что необходимо выполнить сериализацию конкретного члена класса в качестве массива XML-элементов.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса и указывает имя XML-элемента, созданного в экземпляре XML-документа.
+ Имя XML-элемента, созданного при помощи .
+
+
+ Получает или задает имя XML-элемента, присвоенное сериализованному массиву.
+ Имя XML-элемента сериализованного массива.По умолчанию используется имя члена, которому назначается .
+
+
+ Получает или задает значение, которое показывает, является ли имя XML-элемента, созданного при помощи , квалифицированным или неквалифицированным.
+ Одно из значений .Значение по умолчанию — XmlSchemaForm.None.
+
+
+ Получает или задает значение, которое показывает, должен ли выполнить сериализацию члена как пустого тега XML с атрибутом xsi:nil, для которого установлено значение true.
+ true, если создает атрибут xsi:nil; в противном случае, false.
+
+
+ Получает или задает пространство имен XML-элемента.
+ Пространство имен XML-элемента.
+
+
+ Получает или задает порядок сериализации или десериализации элементов.
+ Порядок генерирования кода.
+
+
+ Представляет атрибут, который определяет производные типы, которые могут быть размещены в сериализованном массиве.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса и указывает имя элемента XML, сгенерированного в документе XML.
+ Имя элемента XML.
+
+
+ Инициализация нового экземпляра класса и определяет имя элемента XML, сгенерированного в документе XML, и , который может быть вставлен в сгенерированный документ XML.
+ Имя элемента XML.
+ Тип сериализуемого объекта.
+
+
+ Инициализация нового экземпляра класса и определяет , который может быть вставлен в сериализованный массив.
+ Тип сериализуемого объекта.
+
+
+ Возвращает или задает тип данных XML сгенерированного элемента XML.
+ Тип данных определения схемы XML (XSD) согласно документу "Схема XML, часть 2: типы данных" консорциума World Wide Web (www.w3.org).
+
+
+ Получает или задает имя созданного XML-элемента
+ Имя созданного XML-элемента.По умолчанию используется идентификатор члена
+
+
+ Возвращает или задает значение, которое указывает, является ли имя сгенерированного элемента XML полным.
+ Одно из значений .Значение по умолчанию — XmlSchemaForm.None.
+ Свойство имеет значение XmlSchemaForm.Unqualified, а свойство задано.
+
+
+ Получает или задает значение, которое показывает, должен ли выполнить сериализацию члена как пустого тега XML с атрибутом xsi:nil, для которого установлено значение true.
+ true, если генерирует атрибут xsi:nil, в противном случае false, а экземпляр не генерируется.Значение по умолчанию — true.
+
+
+ Возвращает или задает пространство имен сгенерированного элемента XML.
+ Пространство имен сгенерированного элемента XML.
+
+
+ Возвращает или задает уровень в иерархии элементов XML, на который воздействует .
+ Индекс, начинающийся с нуля, набора индексов в массиве массивов.
+
+
+ Возвращает или задает тип, допустимый в массиве.
+
+ , допустимый в массиве.
+
+
+ Представляет коллекцию объектов .
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Добавляет в коллекцию объект .
+ Индекс добавляемого элемента.
+ Объект , добавляемый в коллекцию.
+
+
+ Удаляет все элементы из коллекции .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Определяет, содержит ли коллекция указанный .
+ Значение true, если коллекция содержит заданный объект ; в противном случае — значение false.
+ Объект для проверки.
+
+
+ Копирует в коллекцию массив , начиная с заданного индекса целевого объекта.
+ Массив объектов для копирования в коллекцию.
+ Индекс, по которому будут расположены скопированные атрибуты.
+
+
+ Получает число элементов, содержащихся в интерфейсе .
+ Число элементов, содержащихся в интерфейсе .
+
+
+ Возвращает перечислитель для класса .
+ Интерфейс для массива .
+
+
+ Возвращает отсчитываемый от нуля индекс первого вхождения заданного в коллекции либо значение -1, если атрибут не обнаружен в коллекции.
+ Первый индекс объекта в коллекции или значение -1, если атрибут не обнаружен в коллекции.
+ Объект для поиска в коллекции.
+
+
+ Вставляет элемент в коллекцию по заданному индексу.
+ Индекс, по которому вставлен атрибут.
+ Объект для вставки.
+
+
+ Возвращает или задает элемент с указанным индексом.
+ Объект с указанным индексом.
+ Начинающийся с нуля индекс полученного или заданного члена коллекции.
+
+
+ Удаляет объект из коллекции, если он содержится в ней.
+ Объект для удаления.
+
+
+ Удаляет элемент по указанному индексу.
+ Отсчитываемый от нуля индекс удаляемого элемента.
+ Параметр не является допустимым индексом в списке .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Копирует целый массив в совместимый одномерный массив , начиная с заданного индекса целевого массива.
+ Одномерный массив , в который копируются элементы из интерфейса .Индексация в массиве должна начинаться с нуля.
+
+
+ Получает значение, показывающее, является ли доступ к коллекции синхронизированным (потокобезопасным).
+ Значение true, если доступ к коллекции является синхронизированным (потокобезопасным); в противном случае — значение false.
+
+
+
+ Добавляет объект в конец коллекции .
+ Индекс коллекции , по которому был добавлен параметр .
+ Объект , добавляемый в конец коллекции .Допускается значение null.
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Определяет, содержит ли коллекция указанный объект .
+ Значение true, если коллекция содержит заданный объект ; в противном случае — значение false.
+
+
+ Возвращает отсчитываемый от нуля индекс первого вхождения заданного в коллекции либо значение -1, если атрибут не обнаружен в коллекции.
+ Первый индекс объекта в коллекции или значение -1, если атрибут не обнаружен в коллекции.
+
+
+ Добавляет элемент в список в позиции с указанным индексом.
+ Отсчитываемый от нуля индекс, по которому следует вставить параметр .
+ Вставляемый объект .Допускается значение null.
+ Значение параметра меньше нуля.– или – Значение больше значения .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Получает значение, показывающее, имеет ли список фиксированный размер.
+ Значение true, если список имеет фиксированный размер, в противном случае — значение false.
+
+
+ Получает значение, указывающее, доступна ли только для чтения.
+ Значение true, если доступна только для чтения; в противном случае — значение false.
+
+
+ Возвращает или задает элемент с указанным индексом.
+ Объект с указанным индексом.
+ Начинающийся с нуля индекс полученного или заданного члена коллекции.
+
+
+ Удаляет первый экземпляр указанного объекта из коллекции .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Указывает, что необходимо выполнить сериализацию члена класса в качестве XML-атрибута.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса , а также указывает имя созданного XML-атрибута.
+ Имя XML-атрибута, созданного при помощи .
+
+
+ Инициализирует новый экземпляр класса .
+ Имя созданного XML-атрибута.
+
+ , используемый для хранения атрибута.
+
+
+ Инициализирует новый экземпляр класса .
+
+ , используемый для хранения атрибута.
+
+
+ Возвращает или задает имя XML-атрибута.
+ Имя XML-атрибута.По умолчанию это имя члена.
+
+
+ Возвращает или задает тип данных XSD XML-атрибута, созданного при помощи .
+ Тип данных XSD (документ схемы XML), как определено документом консорциума W3C (www.w3.org) "XML-схема: Типы данных".
+
+
+ Возвращает или задает значение, которое показывает, является ли имя XML-атрибута, созданного при помощи , квалифицированным.
+ Одно из значений .Значение по умолчанию — XmlForm.None.
+
+
+ Возвращает или задает пространство имен XML для XML-атрибута.
+ Пространство имен XML для XML-атрибута.
+
+
+ Возвращает или задает сложный тип XML-атрибута.
+ Тип XML-атрибута.
+
+
+ Позволяет переопределять атрибуты свойства, поля и класса при использовании для сериализации или десериализации объекта.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Добавляет объект к коллекции объектов .Параметр указывает объект для переопределения.Параметр указывает имя переопределяемого члена.
+
+ объекта для переопределения.
+ Имя члена для переопределения.
+ Объект , представляющий атрибуты переопределения.
+
+
+ Добавляет объект к коллекции объектов .Параметр указывает объект для переопределения объектом .
+
+ переопределяемого объекта.
+ Объект , представляющий атрибуты переопределения.
+
+
+ Получает объект, ассоциированный с указанным типом базового класса.
+
+ , представляющий коллекцию атрибутов переопределения.
+ Базовый класс , ассоциированный с коллекцией атрибутов для извлечения.
+
+
+ Получает объект, ассоциированный с указанным типом (базового класса).Параметр члена указывает имя переопределяемого члена базового класса.
+
+ , представляющий коллекцию атрибутов переопределения.
+ Базовый класс , ассоциированный с требуемой коллекцией атрибутов.
+ Имя переопределенного члена, указывающего для возврата.
+
+
+ Представление коллекции объектов атрибутов, управляющих сериализацией и десериализацией объекта с помощью .
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Получает или задает для переопределения.
+
+ для переопределения.
+
+
+ Получение коллекции объектов для переопределения.
+ Объект , представляющий коллекцию объектов .
+
+
+ Получает или задает объект, задающий сериализацию с помощью для открытого поля или свойства чтения/записи, которое возвращает массив.
+
+ , задающий сериализацию с помощью для открытого поля или свойства чтения/записи, которое возвращает массив.
+
+
+ Получает или задает коллекцию объектов, определяющих сериализацию с помощью для элементов, которые вставлены в массив, возвращенный открытым полем или свойством чтения/записи.
+ Список , в котором содержится коллекция объектов .
+
+
+ Получает или задает объект, задающий сериализацию с помощью для открытого поля или свойства чтения/записи как атрибута XML.
+
+ , управляющий сериализацией открытого поля или свойства чтения/записи как атрибута XML.
+
+
+ Получает или задает объект, позволяющий определиться с выбором.
+
+ , который можно применить к члену класса, который сериализуется как элемент xsi:choice.
+
+
+ Получает или задает значение по умолчанию XML-элемента или атрибута.
+ Объект , представляющей значение по умолчанию элемента XML или атрибута.
+
+
+ Получение коллекции объектов, задающих сериализацию с помощью для открытого поля или свойства чтения/записи как элемента XML.
+
+ , содержащий коллекцию объектов .
+
+
+ Получает или задает объект, задающий сериализацию с помощью для члена перечисления.
+
+ , задающий сериализацию с помощью для члена перечисления.
+
+
+ Получает или задает значение, задающее то, будет ли выполнена сериализация с помощью для открытого поля или открытого свойства чтения/записи.
+ true, если не должен сериализовать поле или свойство; в противном случае false.
+
+
+ Возвращает и задает значение, определяющее, стоит ли сохранить все объявления пространств имен, если объект с членом, возвращающим объект , переопределен.
+ true, если объявления пространств имен следует сохранить, иначе false.
+
+
+ Получает или задает объект, задающий сериализацию с помощью для класса как корневого элемента XML.
+
+ , переопределяющий класс с атрибутами корневого элемента XML.
+
+
+ Получает или задает объект, указывающий сериализовать открытое поле или свойство чтения/записи как текст XML.
+
+ , переопределяющий сериализацию по умолчанию для открытого свойства или поля.
+
+
+ Получает или задает объект, задающий сериализацию с помощью для класса, к которому был применен .
+
+ , который переопределяет , примененный к объявлению класса.
+
+
+ Указывает, что член может быть обнаружен посредством перечисления.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализирует новый экземпляр класса .
+ Имя члена, возвращающего перечисление, используемое для определения выбора.
+
+
+ Получает или задает имя поля, возвращающего перечисление для использования при определении типов.
+ Имя поля, возвращающего перечисление.
+
+
+ Указывает, что открытое поле или свойство представляет XML-элемент, когда сериализует или десериализует объект, содержащий его.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса и указывает имя элемента XML.
+ Имя XML-элемента сериализованного члена.
+
+
+ Инициализирует новый экземпляр класса и указывает имя XML-элемента и производного типа для члена, к которому применяется .Данный тип члена используйте при сериализации содержащего его объекта.
+ Имя XML-элемента сериализованного члена.
+
+ объекта, являющегося производным от типа члена.
+
+
+ Инициализирует новый экземпляр класса и указывает тип для члена, к которому применяется .Данный тип используется при сериализации или десериализации содержащего его объекта.
+
+ объекта, являющегося производным от типа члена.
+
+
+ Получает или задает тип данных определения схемы XML (XSD), сгенерированного элемента XML.
+ Тип данных XML-схемы в соответствии с документом консорциума W3C (www.w3.org) "XML Schema Part 2: Datatypes".
+ Указанный тип данных XML-схемы не может иметь соответствия в типах данных .NET.
+
+
+ Получает или задает имя созданного XML-элемента
+ Имя созданного XML-элемента.По умолчанию используется идентификатор члена
+
+
+ Получает или задает значение, указывающее квалифицирован ли элемент.
+ Одно из значений .Значение по умолчанию — .
+
+
+ Получает или задает значение, которое указывает, должен ли сериализовать члена, имеющего значение null, в качестве пустого тега с атрибутом xsi:nil со значением true.
+ true, если создает атрибут xsi:nil; в противном случае, false.
+
+
+ Получает или задает пространство имен, присвоенное элементу XML, получаемому при сериализации класса.
+ Пространство имен XML-элемента.
+
+
+ Получает или задает порядок сериализации или десериализации элементов.
+ Порядок генерирования кода.
+
+
+ Получает или задает тип объекта, используемый для представления элемента XML.
+
+ члена.
+
+
+ Представляет коллекцию объектов , используемую для переопределения способа сериализации класса, используемого по умолчанию.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Добавляет в коллекцию.
+ Отсчитываемый от нуля индекс вновь добавленного элемента.
+ Добавляемый объект .
+
+
+ Удаляет все элементы из коллекции .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Определяет, содержит ли коллекция указанный объект.
+ true, если объект существует в коллекции; в противном случае — значение false.
+ Объект , который нужно найти.
+
+
+ Полностью или частично копирует в одномерный массив.
+ Массив для хранения скопированных элементов.
+ Индекс (с нуля) в массиве , с которого начинается копирование.
+
+
+ Получает число элементов, содержащихся в интерфейсе .
+ Число элементов, содержащихся в интерфейсе .
+
+
+ Возвращает перечислитель для класса .
+ Интерфейс для массива .
+
+
+ Получает индекс заданного ограничения .
+ Начинающийся с нуля индекс .
+
+ , индекс которого требуется извлечь.
+
+
+ Вставляет в коллекцию.
+ Отсчитываемый от нуля индекс для вставки члена.
+ Вставляемый объект .
+
+
+ Получает или задает элемент с указанным индексом.
+ Элемент с заданным индексом.
+ Отсчитываемый с нуля индекс получаемого или задаваемого элемента.
+ Параметр не является допустимым индексом в списке .
+ Свойство задано, и объект доступен только для чтения.
+
+
+ Удаляет указанный объект из коллекции.
+
+ для удаления из коллекции.
+
+
+ Удаляет элемент по указанному индексу.
+ Отсчитываемый от нуля индекс удаляемого элемента.
+ Параметр не является допустимым индексом в списке .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Копирует целый массив в совместимый одномерный массив , начиная с заданного индекса целевого массива.
+ Одномерный массив , в который копируются элементы из интерфейса .Индексация в массиве должна начинаться с нуля.
+
+
+ Получает значение, показывающее, является ли доступ к коллекции синхронизированным (потокобезопасным).
+ Значение true, если доступ к коллекции является синхронизированным (потокобезопасным); в противном случае — значение false.
+
+
+ Получает объект, с помощью которого можно синхронизировать доступ к коллекции .
+ Объект, который может использоваться для синхронизации доступа к коллекции .
+
+
+ Добавляет объект в конец коллекции .
+ Индекс коллекции , по которому был добавлен параметр .
+ Объект , добавляемый в конец коллекции .Допускается значение null.
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Определяет, содержит ли коллекция указанное значение.
+ Значение true, если объект найден в списке ; в противном случае — значение false.
+ Объект, который требуется найти в .
+
+
+ Определяет индекс заданного элемента коллекции .
+ Индекс , если он найден в списке; в противном случае -1.
+ Объект, который требуется найти в .
+
+
+ Добавляет элемент в список в позиции с указанным индексом.
+ Отсчитываемый от нуля индекс, по которому следует вставить параметр .
+ Вставляемый объект .Допускается значение null.
+ Значение параметра меньше нуля.– или – Значение больше значения .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Получает значение, показывающее, имеет ли список фиксированный размер.
+ Значение true, если список имеет фиксированный размер, в противном случае — значение false.
+
+
+ Получает значение, указывающее, доступна ли только для чтения.
+ Значение true, если доступна только для чтения; в противном случае — значение false.
+
+
+ Получает или задает элемент с указанным индексом.
+ Элемент с заданным индексом.
+ Отсчитываемый с нуля индекс получаемого или задаваемого элемента.
+ Параметр не является допустимым индексом в списке .
+ Свойство задано, и объект доступен только для чтения.
+
+
+ Удаляет первый экземпляр указанного объекта из коллекции .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Управляет тем, как сериализует член перечисления.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса и определяет XML-значение, которое создает или распознает (при сериализации или десериализации перечисления, соответственно).
+ Переопределяющее имя члена перечисления.
+
+
+ Получает или задает значение, создаваемое в экземпляре XML-документа, когда сериализует перечисление, или значение, распознаваемое при десериализации члена перечисления.
+ Значение, создаваемое в экземпляре XML-документа, когда сериализует перечисление, или значение, распознаваемое при десериализации члена перечисления.
+
+
+ Инструктирует метод , принадлежащий , не сериализовывать значение открытого поля или открытого свойства чтения/записи.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Позволяет распознавать тип в процессе сериализации или десериализации объекта.
+
+
+ Инициализирует новый экземпляр класса .
+
+ объекта, который необходимо включить.
+
+
+ Получает или задает тип объекта, который необходимо включить.
+
+ объекта, который необходимо включить.
+
+
+ Указывает, что целевое свойство, параметр, возвращаемое значение или член класса содержит префиксы, связанные с пространствами имен, используемыми в документе XML.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Управляет XML-сериализацией конечного объекта атрибута как корневого XML-элемента.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса и указывает имя корневого XML-элемента.
+ Имя корневого XML-элемента.
+
+
+ Возвращает или задает тип данных XSD корневого XML-элемента.
+ Тип данных XSD (документ схемы XML), как определено документом консорциума W3C (www.w3.org) "XML-схема: Типы данных".
+
+
+ Возвращает или задает имя XML-элемента, создаваемого и опознаваемого методами и класса .
+ Имя корневого XML-элемента, который создается и распознается в экземпляре XML-документа.По умолчанию — это имя сериализуемого класса.
+
+
+ Возвращает или задает значение, которое указывает, должен ли выполнять сериализацию члена со значением null в атрибут xsi:nil со значением true.
+ true, если создает атрибут xsi:nil; в противном случае, false.
+
+
+ Возвращает или задает пространство имен для корневого XML-элемента.
+ Пространство имен для XML-элемента.
+
+
+ Сериализует и десериализует объекты в документы XML и из них. позволяет контролировать способ кодирования объектов в XML.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса , который может сериализовать объекты заданного типа в документы XML, а также десериализовать документы XML в объекты заданного типа.
+ Тип объекта, который может быть сериализован .
+
+
+ Инициализация нового экземпляра класса , который может сериализовать объекты заданного типа в документы XML, а также десериализовать документы XML в объекты заданного типа.Указывает пространство имен по умолчанию для всех элементов XML.
+ Тип объекта, который может быть сериализован .
+ Пространство имен по умолчанию для всех элементов XML.
+
+
+ Инициализация нового экземпляра класса , который может сериализовать объекты заданного типа в документы XML, и может десериализовать документы XML в объект заданного типа.Если свойство или поле возвращает массив, параметр определяет объекты, которые могут быть вставлены в массив.
+ Тип объекта, который может быть сериализован .
+ Массив дополнительных типов объектов для сериализации.
+
+
+ Инициализация нового экземпляра класса , который может сериализовать объекты заданного типа в документы XML, а также десериализовать документы XML в объекты заданного типа.Каждый сериализуемый объект может сам содержать экземпляры классов, которые данная перегрузка позволяет переопределить с другими классами.
+ Тип сериализуемого объекта.
+ Объект .
+
+
+ Инициализация нового экземпляра класса , который может сериализовать объекты типа в экземпляры документа XML, а также десериализовать экземпляры документа XML в объекты типа .Каждый сериализуемый объект может сам содержать экземпляры классов, которые данная перегрузка переопределяет с другими классами.Данная перегрузка также указывает пространство имен по умолчанию для всех элементов XML и класс для использования в качестве корневого элемента XML.
+ Тип объекта, который может быть сериализован .
+
+ , расширяющий или переопределяющий поведение класса, задается в параметре .
+ Массив дополнительных типов объектов для сериализации.
+
+ , указывающий свойство корневого элемента XML.
+ Пространство имен по умолчанию всех элементов XML в документе XML.
+
+
+ Инициализация нового экземпляра класса , который может сериализовать объекты заданного типа в документы XML, а также десериализовать документ XML в объект заданного типа.Также указывает класс для использования в качестве корневого элемента XML.
+ Тип объекта, который может быть сериализован .
+
+ , представляющий свойство корневого элемента XML.
+
+
+ Получает значение, указывающее возможность выполнения данным десериализации документа XML.
+ true, если может выполнить десериализацию объекта, на который указывает , в противном случае false.
+
+ , указывающий на документ для десериализации.
+
+
+ Десериализует документ XML, содержащийся указанным .
+
+ десериализуется.
+
+ , содержащий документ XML для десериализации.
+
+
+ Десериализует документ XML, содержащийся указанным .
+
+ десериализуется.
+
+ , содержащий документ XML для десериализации.
+ Возникла ошибка при десериализации.Исходное исключение доступно с помощью свойства .
+
+
+ Десериализует документ XML, содержащийся указанным .
+
+ десериализуется.
+
+ , содержащий документ XML для десериализации.
+ Возникла ошибка при десериализации.Исходное исключение доступно с помощью свойства .
+
+
+ Возвращает массив объектов , созданный из массива типов.
+ Массив объектов .
+ Массив объектов .
+
+
+ Сериализует указанный и записывает документ XML в файл с помощью заданного .
+
+ используется для записи документа XML.
+
+ для сериализации.
+ Возникла ошибка при сериализации.Исходное исключение доступно с помощью свойства .
+
+
+ Сериализует указанный и записывает документ XML в файл с помощью заданного , ссылающегося на заданные пространства имен.
+
+ используется для записи документа XML.
+
+ для сериализации.
+
+ со ссылкой объекта.
+ Возникла ошибка при сериализации.Исходное исключение доступно с помощью свойства .
+
+
+ Сериализует указанный и записывает документ XML в файл с помощью заданного .
+
+ используется для записи документа XML.
+
+ для сериализации.
+
+
+ Сериализует указанный объект и записывает документ XML в файл с помощью заданного и ссылается на заданные пространства имен.
+
+ используется для записи документа XML.
+
+ для сериализации.
+
+ , содержащий пространства имен для сгенерированного документа XML.
+ Возникла ошибка при сериализации.Исходное исключение доступно с помощью свойства .
+
+
+ Сериализует указанный и записывает документ XML в файл с помощью заданного .
+
+ используется для записи документа XML.
+
+ для сериализации.
+ Возникла ошибка при сериализации.Исходное исключение доступно с помощью свойства .
+
+
+ Сериализует указанный и записывает документ XML в файл с помощью заданного , ссылающегося на заданные пространства имен.
+
+ используется для записи документа XML.
+
+ для сериализации.
+
+ со ссылкой объекта.
+ Возникла ошибка при сериализации.Исходное исключение доступно с помощью свойства .
+
+
+ Содержит пространства имен XML и префиксы, используемые для генерирования полных имен в экземпляре документа XML.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса с помощью определенного экземпляра XmlSerializerNamespaces, содержащего коллекцию пар префикса и пространства имен.
+ Экземпляр , содержащий пары пространства имен и префикса.
+
+
+ Инициализирует новый экземпляр класса .
+ Массив объектов .
+
+
+ Добавляет пару префикса и пространства имен объекту .
+ Префикс ассоциирован с пространством имен XML.
+ Пространство имен XML.
+
+
+ Получает число пар префикса и пространства имен в коллекции.
+ Число пар префикса и пространства имен в коллекции.
+
+
+ Получает массив пар префикса и пространства имен в объекте .
+ Массив объектов , используемых в качестве квалифицированных имен в документе XML.
+
+
+ Указывает на , что член должен обрабатываться как текст XML, когда содержащий его класс сериализуется или десериализуется.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализирует новый экземпляр класса .
+
+ сериализуемого члена.
+
+
+ Получает или задает тип данных языка определения схем XML (XSD) текста, сгенерированного .
+ Тип данных схемы XML (XSD) согласно документу "Схема XML, часть 2: типы данных" консорциума World Wide Web (www.w3.org).
+ Указанный тип данных XML-схемы не может иметь соответствия в типах данных .NET.
+ Указанный тип данных схемы XML неверен для свойства и не может быть преобразован в тип члена.
+
+
+ Получает или задает тип члена.
+
+ члена.
+
+
+ Управляет схемой XML, сгенерированной при сериализации цели атрибута.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализирует новый экземпляр класса и задает имя типа XML.
+ Имя типа XML, генерируемое при сериализации экземпляра класса (и определении при десериализации экземпляра класса).
+
+
+ Получает или задает значение, определяющее, является ли результирующий тип схемы анонимным типом XSD.
+ true, если результирующий тип схемы является анонимным типом XSD, в противном случае false.
+
+
+ Получает или задает значение, указывающее, включается ли тип в документы схемы XML.
+ true для включения типа в документ схемы XML, в противном случае false.
+
+
+ Получает или задает пространство имен типа XML.
+ Пространство имен типа XML.
+
+
+ Получает или задает имя типа XML.
+ Имя типа XML.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/zh-hans/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/zh-hans/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..37bb7ba
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/zh-hans/System.Xml.XmlSerializer.xml
@@ -0,0 +1,917 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ 指定成员(返回 对象的数组的字段)可以包含任何 XML 特性。
+
+
+ 构造 类的新实例。
+
+
+ 指定成员(返回 或 对象的数组的字段)可以包含对象,该对象表示在序列化或反序列化的对象中没有相应成员的所有 XML 元素。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例并指定在 XML 文档中生成的 XML 元素名称。
+
+ 生成的 XML 元素的名称。
+
+
+ 初始化 类的新实例并指定在 XML 文档中生成的 XML 元素名称及其 XML 命名空间。
+
+ 生成的 XML 元素的名称。
+ XML 元素的 XML 命名空间。
+
+
+ 获取或设置 XML 元素名。
+ XML 元素的名称。
+ 数组成员的元素名称与 属性指定的元素名称不匹配。
+
+
+ 获取或设置在 XML 文档中生成的 XML 命名空间。
+ 一个 XML 命名空间。
+
+
+ 获取或设置序列化或反序列化元素的显式顺序。
+ 代码生成的顺序。
+
+
+ 表示 对象的集合。
+
+
+ 初始化 类的新实例。
+
+
+ 将 添加到集合中。
+ 新添加的 的索引。
+ 要相加的 。
+
+
+ 从 中移除所有对象。不能重写此方法。
+
+
+ 获取一个值,该值指示集合中是否存在指定的 。
+ 如果集合中存在该 ,则为 true;否则为 false。
+ 您关注的 。
+
+
+ 将整个集合复制到 对象的一个兼容一维数组,从目标数组的指定索引处开始。
+
+ 对象的一维数组,它是从集合复制来的元素的目标。该数组的索引必须从零开始。
+
+ 中从零开始的索引,从此索引处开始进行复制。
+
+
+ 获取包含在 实例中的元素数。
+ 包含在 实例中的元素数。
+
+
+ 返回循环访问 的枚举数。
+ 一个循环访问 的枚举器。
+
+
+ 获取指定的 的索引。
+ 指定 的索引。
+ 您需要其索引的 。
+
+
+ 在集合中的指定索引处插入 。
+
+ 的插入位置的索引。
+ 要插入的 。
+
+
+ 获取或设置指定索引处的 。
+ 指定索引处的 。
+
+ 的索引。
+
+
+ 从集合中移除指定的 。
+ 要移除的 。
+
+
+ 移除 的指定索引处的元素。不能重写此方法。
+ 要被移除的元素的索引。
+
+
+ 将整个集合复制到 对象的一个兼容一维数组,从目标数组的指定索引处开始。
+ 一维数组。
+ 指定的索引。
+
+
+ 获取一个值,该值指示是否同步对 的访问(线程安全)。
+ 如果同步对 的访问,则为 True;否则为 false。
+
+
+ 获取可用于同步对 的访问的对象。
+ 可用于同步对 的访问的对象。
+
+
+ 将对象添加到 的结尾处。
+ 要添加到集合中的对象。
+ 作为要添加的元素的值的对象。
+
+
+ 确定 是否包含特定元素。
+ 如果 包含特定元素,则为 True;否则为 false。
+ 元素的值。
+
+
+ 搜索指定的“对象”,并返回整个 中第一个匹配项的从零开始的索引。
+ 对象的从零开始的索引。
+ 对象的值。
+
+
+ 将元素插入 的指定索引处。
+ 索引,在此处插入元素。
+ 元素的值。
+
+
+ 获取一个值,该值指示 是否固定大小。
+ 如果 固定大小,则为 True;否则为 false。
+
+
+ 获取一个值,该值指示 是否为只读。
+ 如果 为只读,则为 True;否则为 false。
+
+
+ 获取或设置位于指定索引处的元素。
+ 位于指定索引处的元素。
+ 元素的索引。
+
+
+ 从 中移除特定对象的第一个匹配项。
+ 移除的对象的值。
+
+
+ 指定 必须将特定的类成员序列化为 XML 元素的数组。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,并指定在 XML 文档实例中生成的 XML 元素名称。
+
+ 生成的 XML 元素的名称。
+
+
+ 获取或设置提供给序列化数组的 XML 元素名称。
+ 序列化数组的 XML 元素名称。默认值为向其分配 的成员的名称。
+
+
+ 获取或设置一个值,该值指示 生成的 XML 元素名称是限定的还是非限定的。
+
+ 值之一。默认值为 XmlSchemaForm.None。
+
+
+ 获取或设置一个值,该值指示 是否必须将成员序列化为 xsi:nil 属性设置为 true 的 XML 空标记。
+ 如果 生成 xsi:nil 属性,则为 true;否则为 false。
+
+
+ 获取或设置 XML 元素的命名空间。
+ XML 元素的命名空间。
+
+
+ 获取或设置序列化或反序列化元素的显式顺序。
+ 代码生成的顺序。
+
+
+ 表示指定 可以放置在序列化数组中的派生类型的特性。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,并指定在 XML 文档中生成的 XML 元素的名称。
+ XML 元素的名称。
+
+
+ 初始化 类的新实例,并指定在 XML 文档中生成的 XML 元素的名称,以及可插入到所生成的 XML 文档中的 。
+ XML 元素的名称。
+ 要序列化的对象的 。
+
+
+ 初始化 类的新实例,并指定可插入到序列化数组中的 。
+ 要序列化的对象的 。
+
+
+ 获取或设置生成的 XML 元素的 XML 数据类型。
+ “XML 架构定义”(XSD) 数据类型,定义见名为“XML 架构第 2 部分:数据类型”的“万维网联合会”(www.w3.org) 文档。
+
+
+ 获取或设置生成的 XML 元素的名称。
+ 生成的 XML 元素的名称。默认值为成员标识符。
+
+
+ 获取或设置一个值,该值指示生成的 XML 元素的名称是否是限定的。
+
+ 值之一。默认值为 XmlSchemaForm.None。
+
+ 属性设置为 XmlSchemaForm.Unqualified,并且指定 值。
+
+
+ 获取或设置一个值,该值指示 是否必须将成员序列化为 xsi:nil 属性设置为 true 的 XML 空标记。
+ 如果 生成 xsi:nil 特性,则为 true;否则为 false,且不生成实例。默认值为 true。
+
+
+ 获取或设置生成的 XML 元素的命名空间。
+ 生成的 XML 元素的命名空间。
+
+
+ 获取或设置受 影响的 XML 元素的层次结构中的级别。
+ 数组的数组中的索引集从零开始的索引。
+
+
+ 获取或设置数组中允许的类型。
+ 数组中允许的 。
+
+
+ 表示 对象的集合。
+
+
+ 初始化 类的新实例。
+
+
+ 将 添加到集合中。
+ 所添加的项的索引。
+ 要添加到集合中的 。
+
+
+ 从 中移除所有元素。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 确定集合是否包含指定的 。
+ 如果该集合包含指定的 ,则为 true;否则为 false。
+ 要检查的 。
+
+
+ 从指定的目标索引开始,将 数组复制到集合。
+ 要复制到集合中的 对象的数组。
+ 从该处开始特性复制的索引。
+
+
+ 获取 中包含的元素数。
+
+ 中包含的元素个数。
+
+
+ 返回整个 的一个枚举器。
+ 用于整个 的 。
+
+
+ 返回所指定 在集合中首个匹配项的从零开始的索引;如果在集合中找不到该特性,则为 -1。
+
+ 在集合中的首个索引;如果在集合中找不到该特性,则为 -1。
+ 要在集合中定位的 。
+
+
+ 在集合中的指定索引处插入 。
+ 在该处插入特性的索引。
+ 要插入的 。
+
+
+ 获取或设置指定索引处的项。
+ 位于指定索引处的 。
+ 要获取或设置的从零开始的集合成员的索引。
+
+
+ 如果存在,则从集合中移除 。
+ 要移除的 。
+
+
+ 移除指定索引处的 项。
+ 要移除的项的从零开始的索引。
+
+ 不是 中的有效索引。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 从目标数组的指定索引处开始将整个 复制到兼容的一维 。
+ 作为从 复制的元素的目标的一维 。 必须具有从零开始的索引。
+
+
+ 获取一个值,该值指示是否同步对 的访问(线程安全)。
+ 如果对 的访问是同步的(线程安全),则为 true;否则为 false。
+
+
+
+ 将对象添加到 的结尾处。
+
+ 索引,已在此处添加了 。
+ 要添加到 末尾的 。该值可以为 null。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 确定集合是否包含指定的 。
+ 如果该集合包含指定的 ,则为 true;否则为 false。
+
+
+ 返回所指定 在集合中首个匹配项的从零开始的索引;如果在集合中找不到该特性,则为 -1。
+
+ 在集合中的首个索引;如果在集合中找不到该特性,则为 -1。
+
+
+ 将元素插入 的指定索引处。
+ 从零开始的索引,应在该位置插入 。
+ 要插入的 。该值可以为 null。
+
+ 小于零。- 或 - 大于 。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 获取一个值,该值指示 是否具有固定大小。
+ 如果 具有固定大小,则为 true;否则为 false。
+
+
+ 获取一个值,该值指示 是否为只读。
+ 如果 为只读,则为 true;否则为 false。
+
+
+ 获取或设置指定索引处的项。
+ 位于指定索引处的 。
+ 要获取或设置的从零开始的集合成员的索引。
+
+
+ 从 中移除特定对象的第一个匹配项。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 指定 必须将类成员序列化为 XML 属性。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,并指定生成的 XML 属性的名称。
+
+ 生成的 XML 特性的名称。
+
+
+ 初始化 类的新实例。
+ 生成的 XML 特性的名称。
+ 用来存储特性的 。
+
+
+ 初始化 类的新实例。
+ 用来存储特性的 。
+
+
+ 获取或设置 XML 属性的名称。
+ XML 属性的名称。默认值为成员名称。
+
+
+ 获取或设置 生成的 XML 属性的 XSD 数据类型。
+ 一种 XSD(XML 架构文档)数据类型,由名为“XML Schema: DataTypes”(XML 架构:数据类型)的万维网联合会 (www.w3.org) 文档定义。
+
+
+ 获取或设置一个值,该值指示 生成的 XML 属性名称是否是限定的。
+
+ 值之一。默认值为 XmlForm.None。
+
+
+ 获取或设置 XML 属性的 XML 命名空间。
+ XML 属性的 XML 命名空间。
+
+
+ 获取或设置 XML 属性的复杂类型。
+ XML 属性的类型。
+
+
+ 允许您在使用 序列化或反序列化对象时重写属性、字段和类特性。
+
+
+ 初始化 类的新实例。
+
+
+ 将 对象添加到 对象的集合中。 参数指定一个要重写的对象。 参数指定被重写的成员的名称。
+ 要重写的对象的 。
+ 要重写的成员的名称。
+ 表示重写特性的 对象。
+
+
+ 将 对象添加到 对象的集合中。 参数指定由 对象重写的对象。
+ 被重写的对象的 。
+ 表示重写特性的 对象。
+
+
+ 获取与指定的基类类型关联的对象。
+ 表示重写属性集合的 。
+ 与要检索的特性的集合关联的基类 。
+
+
+ 获取与指定(基类)类型关联的对象。成员参数指定被重写的基类成员。
+ 表示重写属性集合的 。
+ 与所需特性的集合关联的基类 。
+ 指定返回的 的重写成员的名称。
+
+
+ 表示一个属性对象的集合,这些对象控制 如何序列化和反序列化对象。
+
+
+ 初始化 类的新实例。
+
+
+ 获取或设置要重写的 。
+ 要重写的 。
+
+
+ 获取要重写的 对象集合。
+ 表示 对象集合的 对象。
+
+
+ 获取或设置一个对象,该对象指定 如何序列化返回数组的公共字段或读/写属性。
+ 一个 ,指定 序列化如何返回数组的公共字段或读/写属性。
+
+
+ 获取或设置一个对象集合,这些对象指定 如何序列化插入数组(由公共字段或读/写属性返回)的项。
+
+ 对象,它包含 对象的集合。
+
+
+ 获取或设置一个对象,该对象指定 如何将公共字段或公共读/写属性序列化为 XML 特性。
+ 控制将公共字段或读/写属性序列化为 XML 特性的 。
+
+
+ 获取或设置一个对象,该对象使您可以区别一组选项。
+ 可应用到被序列化为 xsi:choice 元素的类成员的 。
+
+
+ 获取或设置 XML 元素或属性的默认值。
+ 表示 XML 元素或属性的默认值的 。
+
+
+ 获取一个对象集合,这些对象指定 如何将公共字段或读/写属性序列化为 XML 元素。
+ 包含一个 对象集合的 。
+
+
+ 获取或设置一个对象,该对象指定 如何序列化枚举成员。
+ 指定 如何序列化枚举成员的 。
+
+
+ 获取或设置一个值,该值指定 是否序列化公共字段或公共读/写属性。
+ 如果 不得序列化字段或属性,则为 true;否则为 false。
+
+
+ 获取或设置一个值,该值指定当重写包含返回 对象的成员的对象时,是否保留所有的命名空间声明。
+ 如果应保留命名空间声明,则为 true;否则为 false。
+
+
+ 获取或设置一个对象,该对象指定 如何将类序列化为 XML 根元素。
+ 重写特性化为 XML 根元素的类的 。
+
+
+ 获取或设置一个对象,该对象指示 将公共字段或公共读/写属性序列化为 XML 文本。
+ 重写公共属性或字段的默认序列化的 。
+
+
+ 获取或设置一个对象,该对象指定 如何序列化一个已对其应用 的类。
+ 重写应用于类声明的 的 。
+
+
+ 指定可以通过使用枚举来进一步检测成员。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例。
+ 返回用于检测选项的枚举的成员名称。
+
+
+ 获取或设置字段的名称,该字段返回在检测类型时使用的枚举。
+ 返回枚举的字段的名称。
+
+
+ 指示公共字段或属性在 序列化或反序列化包含它们的对象时表示 XML 元素。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,并指定 XML 元素的名称。
+ 序列化成员的 XML 元素名。
+
+
+ 初始化 的新实例,并指定 XML 元素的名称和 应用到的成员的派生类型。此成员类型在 序列化包含它的对象时使用。
+ 序列化成员的 XML 元素名。
+ 从该成员的类型派生的对象的 。
+
+
+ 初始化 类的新实例,并指定 所应用到的成员的类型。此类型在序列化或反序列化包含它的对象时由 使用。
+ 从该成员的类型派生的对象的 。
+
+
+ 获取或设置由 生成的 XMl 元素的 XML 架构定义 (XSD) 数据类型。
+ “XML 架构”数据类型,如名为“XML 架构第 2 部分:数据类型”的“万维网联合会”(www.w3.org) 文档中所定义。
+ 已指定的 XML 架构数据类型无法映射到 .NET 数据类型。
+
+
+ 获取或设置生成的 XML 元素的名称。
+ 生成的 XML 元素的名称。默认值为成员标识符。
+
+
+ 获取或设置一个值,该值指示元素是否是限定的。
+
+ 值之一。默认值为 。
+
+
+ 获取或设置一个值,该值指示 是否必须将设置为 null 的成员序列化为 xsi:nil 属性设置为 true 的空标记。
+ 如果 生成 xsi:nil 属性,则为 true;否则为 false。
+
+
+ 获取或设置分配给 XML 元素的命名空间,这些 XML 元素是在序列化类时得到的。
+ XML 元素的命名空间。
+
+
+ 获取或设置序列化或反序列化元素的显式顺序。
+ 代码生成的顺序。
+
+
+ 获取或设置用于表示 XML 元素的对象类型。
+ 成员的 。
+
+
+ 表示 对象的集合,该对象由 用来重写序列化类的默认方式。
+
+
+ 初始化 类的新实例。
+
+
+ 将 添加到集合中。
+ 新添加项的从零开始的索引。
+ 要相加的 。
+
+
+ 从 中移除所有元素。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 确定集合是否包含指定对象。
+ 如果该集合中存在对象,则为 true;否则为 false。
+ 要查找的 。
+
+
+ 将 或它的一部分复制到一维数组中。
+ 保留所复制的元素的 数组。
+
+ 中从零开始的索引,从此索引处开始进行复制。
+
+
+ 获取 中包含的元素数。
+
+ 中包含的元素个数。
+
+
+ 返回整个 的一个枚举器。
+ 用于整个 的 。
+
+
+ 获取指定的 的索引。
+
+ 的从零开始的索引。
+ 要检索其索引的 。
+
+
+ 向集合中插入 。
+ 从零开始的索引,在此处插入了成员。
+ 要插入的 。
+
+
+ 获取或设置位于指定索引处的元素。
+ 位于指定索引处的元素。
+ 要获得或设置的元素从零开始的索引。
+
+ 不是 中的有效索引。
+ 设置该属性,而且 为只读。
+
+
+ 从集合中移除指定的对象。
+ 要从该集合中移除的 。
+
+
+ 移除指定索引处的 项。
+ 要移除的项的从零开始的索引。
+
+ 不是 中的有效索引。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 从目标数组的指定索引处开始将整个 复制到兼容的一维 。
+ 作为从 复制的元素的目标的一维 。 必须具有从零开始的索引。
+
+
+ 获取一个值,该值指示是否同步对 的访问(线程安全)。
+ 如果对 的访问是同步的(线程安全),则为 true;否则为 false。
+
+
+ 获取可用于同步对 的访问的对象。
+ 可用于同步对 的访问的对象。
+
+
+ 将对象添加到 的结尾处。
+
+ 索引,已在此处添加了 。
+ 要添加到 末尾的 。该值可以为 null。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 确定 是否包含特定值。
+ 如果在 中找到 ,则为 true;否则为 false。
+ 要在 中定位的对象。
+
+
+ 确定 中特定项的索引。
+ 如果在列表中找到,则为 的索引;否则为 -1。
+ 要在 中定位的对象。
+
+
+ 将元素插入 的指定索引处。
+ 从零开始的索引,应在该位置插入 。
+ 要插入的 。该值可以为 null。
+
+ 小于零。- 或 - 大于 。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 获取一个值,该值指示 是否具有固定大小。
+ 如果 具有固定大小,则为 true;否则为 false。
+
+
+ 获取一个值,该值指示 是否为只读。
+ 如果 为只读,则为 true;否则为 false。
+
+
+ 获取或设置位于指定索引处的元素。
+ 位于指定索引处的元素。
+ 要获得或设置的元素从零开始的索引。
+
+ 不是 中的有效索引。
+ 设置该属性,而且 为只读。
+
+
+ 从 中移除特定对象的第一个匹配项。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 控制 如何序列化枚举成员。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,并指定 生成或识别的(当该序列化程序分别序列化或反序列化枚举时)XML 值。
+ 该枚举成员的重写名。
+
+
+ 获取或设置当 序列化枚举时在 XML 文档实例中生成的值,或当它反序列化该枚举成员时识别的值。
+ 当 序列化枚举时在 XML 文档实例中生成的值,或当它反序列化该枚举成员时识别的值。
+
+
+ 指示 的 方法不序列化公共字段或公共读/写属性值。
+
+
+ 初始化 类的新实例。
+
+
+ 允许 在它序列化或反序列化对象时识别类型。
+
+
+ 初始化 类的新实例。
+ 要包含的对象的 。
+
+
+ 获取或设置要包含的对象的类型。
+ 要包含的对象的 。
+
+
+ 指定目标属性、参数、返回值或类成员包含与 XML 文档中所用命名空间关联的前缀。
+
+
+ 初始化 类的新实例。
+
+
+ 控制视为 XML 根元素的属性目标的 XML 序列化。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,并指定 XML 根元素的名称。
+ XML 根元素的名称。
+
+
+ 获取或设置 XML 根元素的 XSD 数据类型。
+ 一种 XSD(XML 架构文档)数据类型,由名为“XML Schema: DataTypes”(XML 架构:数据类型)的万维网联合会 (www.w3.org) 文档定义。
+
+
+ 获取或设置由 类的 和 方法分别生成和识别的 XML 元素的名称。
+ 在 XML 文档实例中生成和识别的 XML 根元素的名称。默认值为序列化类的名称。
+
+
+ 获取或设置一个值,该值指示 是否必须将设置为 null 的成员序列化为设置为 true 的 xsi:nil 属性。
+ 如果 生成 xsi:nil 属性,则为 true;否则为 false。
+
+
+ 获取或设置 XML 根元素的命名空间。
+ XML 元素的命名空间。
+
+
+ 将对象序列化到 XML 文档中和从 XML 文档中反序列化对象。 使您得以控制如何将对象编码到 XML 中。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,该类可以将指定类型的对象序列化为 XML 文档,也可以将 XML 文档反序列化为指定类型的对象。
+ 此 可序列化的对象的类型。
+
+
+ 初始化 类的新实例,该类可以将指定类型的对象序列化为 XML 文档,也可以将 XML 文档反序列化为指定类型的对象。指定所有 XML 元素的默认命名空间。
+ 此 可序列化的对象的类型。
+ 用于所有 XML 元素的默认命名空间。
+
+
+ 初始化 类的新实例,该类可以将指定类型的对象序列化为 XML 文档,也可以将 XML 文档反序列化为指定类型的对象。如果属性或字段返回一个数组,则 参数指定可插入到该数组的对象。
+ 此 可序列化的对象的类型。
+ 要序列化的其他对象类型的 数组。
+
+
+ 初始化 类的新实例,该类可以将指定类型的对象序列化为 XML 文档,也可以将 XML 文档反序列化为指定类型的对象。要序列化的每个对象本身可包含类的实例,此重载可使用其他类重写这些实例。
+ 要序列化的对象的类型。
+ 一个 。
+
+
+ 初始化 类的新实例,该类可将 类型的对象序列化为 XML 文档实例,并可将 XML 文档实例反序列化为 类型的对象。要序列化的每个对象本身可包含类的实例,此重载可使用其他类重写这些实例。此重载还指定所有 XML 元素的默认命名空间和用作 XML 根元素的类。
+ 此 可序列化的对象的类型。
+ 一个 ,它扩展或重写 参数中指定类的行为。
+ 要序列化的其他对象类型的 数组。
+ 定义 XML 根元素属性的 。
+ XML 文档中所有 XML 元素的默认命名空间。
+
+
+ 初始化 类的新实例,该类可以将指定类型的对象序列化为 XML 文档,也可以将 XML 文档反序列化为指定类型的对象。还可以指定作为 XML 根元素使用的类。
+ 此 可序列化的对象的类型。
+ 表示 XML 根元素的 。
+
+
+ 获取一个值,该值指示此 是否可以反序列化指定的 XML 文档。
+ 如果此 可以反序列化 指向的对象,则为 true,否则为 false。
+ 指向要反序列化的文档的 。
+
+
+ 反序列化指定 包含的 XML 文档。
+ 正被反序列化的 。
+ 包含要反序列化的 XML 文档的 。
+
+
+ 反序列化指定 包含的 XML 文档。
+ 正被反序列化的 。
+
+ 包含要反序列化的 XML 文档。
+ 反序列化期间发生错误。使用 属性时可使用原始异常。
+
+
+ 反序列化指定 包含的 XML 文档。
+ 正被反序列化的 。
+ 包含要反序列化的 XML 文档的 。
+ 反序列化期间发生错误。使用 属性时可使用原始异常。
+
+
+ 返回从类型数组创建的 对象的数组。
+
+ 对象的数组。
+
+ 对象的数组。
+
+
+ 使用指定的 序列化指定的 并将 XML 文档写入文件。
+ 用于编写 XML 文档的 。
+ 将要序列化的 。
+ 序列化期间发生错误。使用 属性时可使用原始异常。
+
+
+ 使用引用指定命名空间的指定 序列化指定的 并将 XML 文档写入文件。
+ 用于编写 XML 文档的 。
+ 将要序列化的 。
+ 该对象所引用的 。
+ 序列化期间发生错误。使用 属性时可使用原始异常。
+
+
+ 使用指定的 序列化指定的 并将 XML 文档写入文件。
+ 用于编写 XML 文档的 。
+ 将要序列化的 。
+
+
+ 使用指定的 和指定命名空间序列化指定的 并将 XML 文档写入文件。
+ 用于编写 XML 文档的 。
+ 将要序列化的 。
+ 包含生成的 XML 文档的命名空间的 。
+ 序列化期间发生错误。使用 属性时可使用原始异常。
+
+
+ 使用指定的 序列化指定的 并将 XML 文档写入文件。
+ 用于编写 XML 文档的 。
+ 将要序列化的 。
+ 序列化期间发生错误。使用 属性时可使用原始异常。
+
+
+ 使用指定的 和指定命名空间序列化指定的 并将 XML 文档写入文件。
+ 用于编写 XML 文档的 。
+ 将要序列化的 。
+ 该对象所引用的 。
+ 序列化期间发生错误。使用 属性时可使用原始异常。
+
+
+ 包含 用于在 XML 文档实例中生成限定名的 XML 命名空间和前缀。
+
+
+ 初始化 类的新实例。
+
+
+ 使用包含前缀和命名空间对集合的 XmlSerializerNamespaces 的指定实例,初始化 类的新实例。
+ 包含命名空间和前缀对的 的实例。
+
+
+ 初始化 类的新实例。
+
+ 对象的数组。
+
+
+ 将前缀和命名空间对添加到 对象。
+ 与 XML 命名空间关联的前缀。
+ 一个 XML 命名空间。
+
+
+ 获取集合中前缀和命名空间对的数目。
+ 集合中前缀和命名空间对的数目。
+
+
+ 获取 对象中前缀和命名空间对的数组。
+ 在 XML 文档中用作限定名的 对象的数组。
+
+
+ 当序列化或反序列化包含该成员的类时,向 指示应将该成员作为 XML 文本处理。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例。
+ 要进行序列化的成员的 。
+
+
+ 获取或设置由 生成的文本的“XML 架构”定义语言 (XSD) 数据类型
+ XML 架构数据类型,如“万维网联合会”(www.w3.org) 文档“XML 架构第 2 部分:数据类型”所定义。
+ 已指定的 XML 架构数据类型无法映射到 .NET 数据类型。
+ 已指定的 XML 架构数据类型对该属性无效,且无法转换为成员类型。
+
+
+ 获取或设置成员的类型。
+ 成员的 。
+
+
+ 控制当属性目标由 序列化时生成的 XML 架构。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,并指定 XML 类型的名称。
+
+ 序列化类实例时生成(和在反序列化类实例时识别)的 XML 类型的名称。
+
+
+ 获取或设置一个值,该值确定生成的构架类型是否为 XSD 匿名类型。
+ 如果结果架构类型为 XSD 匿名类型,则为 true;否则为 false。
+
+
+ 获取或设置一个值,该值指示是否要在 XML 架构文档中包含该类型。
+ 若要将此类型包括到 XML 架构文档中,则为 true;否则为 false。
+
+
+ 获取或设置 XML 类型的命名空间。
+ XML 类型的命名空间。
+
+
+ 获取或设置 XML 类型的名称。
+ XML 类型的名称。
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/zh-hant/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/zh-hant/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..9acaf29
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.0/zh-hant/System.Xml.XmlSerializer.xml
@@ -0,0 +1,925 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ 指定成員 (傳回 物件陣列的欄位) 可以包含任何 XML 屬性。
+
+
+ 建構 類別的新執行個體。
+
+
+ 指定成員 (傳回 或 物件陣列的欄位) 包含物件,該物件表示在序列化或還原序列化物件中沒有對應成員的任何 XML 項目。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,指定 XML 文件中產生的 XML 項目名稱。
+
+ 產生的 XML 項目名稱。
+
+
+ 初始化 類別的新執行個體,指定 XML 文件中產生的 XML 項目名稱及其 XML 命名空間。
+
+ 產生的 XML 項目名稱。
+ XML 項目的 XML 命名空間。
+
+
+ 取得或設定 XML 項目名稱。
+ XML 項目的名稱。
+ 陣列成員的項目名稱與 屬性指定的項目名稱不符。
+
+
+ 取得或設定在 XML 文件中產生的 XML 命名空間。
+ XML 命名空間。
+
+
+ 取得或設定項目序列化或還原序列化的明確順序。
+ 程式碼產生的順序。
+
+
+ 表示 物件的集合。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 將 加入集合中。
+ 新加入之 的索引。
+ 要相加的 。
+
+
+ 從 移除所有物件。無法覆寫這個方法。
+
+
+ 取得值,指出指定 是否存在於集合中。
+ 如果集合中有 ,則為 true,否則為 false。
+ 您所要的 。
+
+
+ 從目標陣列的指定索引開始,複製整個集合至 物件的相容一維陣列。
+
+ 物件的一維陣列,從集合複製之項目的目的地。陣列必須有以零起始的索引。
+
+ 中以零起始的索引,是複製開始的位置。
+
+
+ 取得包含在 執行個體中的項目數目。
+ 包含在 執行個體中的項目數目。
+
+
+ 傳回在 中逐一查看的列舉值。
+ 逐一查看 的列舉程式。
+
+
+ 取得指定 的索引。
+ 指定之 的索引。
+ 您想要其索引的 。
+
+
+ 將 插入集合中指定之索引處。
+ 插入 的索引。
+ 要插入的 。
+
+
+ 取得或設定在指定索引處的 。
+ 在指定索引處的 。
+
+ 的索引。
+
+
+ 從集合中移除指定的 。
+ 要移除的 。
+
+
+ 移除 中指定之索引處的項目。無法覆寫這個方法。
+ 要移除的元素索引。
+
+
+ 從目標陣列的指定索引開始,複製整個集合至 物件的相容一維陣列。
+ 一維陣列。
+ 指定的索引。
+
+
+ 取得值,這個值表示對 的存取是否同步 (安全執行緒)。
+ 如果 的存取已同步處理,則為 True,否則為 false。
+
+
+ 取得可用來同步存取 的物件。
+ 可用來同步存取 的物件。
+
+
+ 將物件加入至 的結尾。
+ 已加入集合中的物件。
+ 要加入至集合之物件的值。
+
+
+ 判斷 是否含有特定元素。
+ 如果 包含特定項目則為 True,否則為 false。
+ 項目的值。
+
+
+ 搜尋指定的物件,並傳回整個 中第一個相符項目之以零起始的索引。
+ 物件以零起始的索引。
+ 物件的值。
+
+
+ 將項目插入 中指定的索引處。
+ 將項目插入之處的索引。
+ 項目的值。
+
+
+ 取得值,指出 為固定大小。
+ 如果 有固定大小,則為 True,否則為 false。
+
+
+ 取得值,指出 是否唯讀。
+ 如果 是唯讀的則為 True,否則為 false。
+
+
+ 取得或設定指定之索引處的項目。
+ 在指定之索引處的項目。
+ 項目的索引。
+
+
+ 從 移除特定物件的第一個相符項目。
+ 已移除物件的值。
+
+
+ 指定 必須將特定類別成員序列化為 XML 項目的陣列。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,指定 XML 文件執行個體中產生的 XML 項目名稱。
+
+ 產生的 XML 項目名稱。
+
+
+ 取得或設定指定給序列化陣列的 XML 項目名稱。
+ 序列化陣列的 XML 項目名稱。預設值為被指派了 的成員名稱。
+
+
+ 取得或設定值,指出 產生的 XML 項目名稱是限定的還是非限定的。
+ 其中一個 值。預設為 XmlSchemaForm.None。
+
+
+ 取得或設定值,指出 是否必須將成員序列化為 xsi:nil 屬性設為 true 的空 XML 標記。
+ 如果 產生 xsi:nil 屬性,則為 true,否則為 false。
+
+
+ 取得或設定 XML 項目的命名空間。
+ XML 項目的命名空間。
+
+
+ 取得或設定項目序列化或還原序列化的明確順序。
+ 程式碼產生的順序。
+
+
+ 表示屬性,這個屬性會指定 可置於序列化陣列中的衍生型別。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,指定 XML 文件中產生的 XML 項目名稱。
+ XML 項目的名稱。
+
+
+ 初始化 類別的新執行個體,指定 XML 文件中產生的 XML 項目名稱,以及可插入所產生之 XML 文件的 。
+ XML 項目的名稱。
+ 要序列化的物件的 。
+
+
+ 初始化 類別的新執行個體,指定可插入序列化陣列的 。
+ 要序列化的物件的 。
+
+
+ 取得或設定產生的 XML 項目的 XML 資料型別。
+ XML 結構描述定義 (XSD) 資料型別,如全球資訊網協會 (www.w3.org ) 文件<XML Schema Part 2: DataTypes>中所定義。
+
+
+ 取得或設定產生的 XML 項目的名稱。
+ 產生的 XML 項目的名稱。預設值為成員識別項。
+
+
+ 取得或設定值,指出產生的 XML 項目名稱是否為限定的。
+ 其中一個 值。預設為 XmlSchemaForm.None。
+
+ 屬性設定為 XmlSchemaForm.Unqualified,並且指定 值。
+
+
+ 取得或設定值,指出 是否必須將成員序列化為 xsi:nil 屬性設為 true 的空 XML 標記。
+ 如果 產生 xsi:nil 屬性,則為 true,否則為 false,而且不會產生執行個體。預設為 true。
+
+
+ 取得或設定產生的 XML 項目之的命名空間。
+ 產生的 XML 項目的命名空間。
+
+
+ 取得或設定 影響的 XML 項目的階層架構中的層級。
+ 在陣列組成之陣列的一組索引中,以零起始的索引。
+
+
+ 取得或設定陣列中允許的型別。
+ 陣列中所允許的 。
+
+
+ 表示 物件的集合。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 將 加入集合中。
+ 加入項目的索引。
+ 要加入到集合中的 。
+
+
+ 將所有元素從 移除。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 判斷集合是否包含指定的 。
+ 如果集合包含指定的 ,則為 true,否則為 false。
+ 要檢查的 。
+
+
+ 從指定的目標索引,複製 陣列至集合。
+ 要複製至集合的 物件陣列。
+ 複製屬性開始處的索引。
+
+
+ 取得 中所包含的元素數。
+
+ 中所包含的項目數。
+
+
+ 傳回整個 的列舉程式。
+ 整個 的 。
+
+
+ 傳回集合中找到的第一個指定 之以零起始的索引,如果在集合中找不到屬性,則為 -1。
+ 集合中 的第一個索引,如果在集合中找不到屬性,則為 -1。
+ 要在集合中尋找的 。
+
+
+ 將 插入集合中指定之索引處。
+ 插入屬性的索引。
+ 要插入的 。
+
+
+ 取得或設定在指定索引處的項目。
+ 在指定索引處的 。
+ 要取得或設定以零起始的集合成員索引。
+
+
+ 如果存在 ,則從集合移除它。
+ 要移除的 。
+
+
+ 移除指定之索引處的 項目。
+ 要移除項目之以零啟始的索引。
+
+ 不是 中的有效索引。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 從目標陣列的指定索引開始,複製整個 至相容的一維 。
+ 一維 ,是從 複製過來之項目的目的端。 必須有以零起始的索引。
+
+
+ 取得值,這個值表示對 的存取是否同步 (安全執行緒)。
+ 如果對 的存取為同步 (安全執行緒),則為 true,否則為 false。
+
+
+
+ 將物件加入至 的結尾。
+ 已加入 的 索引。
+ 要加入至 結尾的 。此值可以是 null。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 判斷集合是否包含指定的 。
+ 如果集合包含指定的 ,則為 true,否則為 false。
+
+
+ 傳回集合中找到的第一個指定 之以零起始的索引,如果在集合中找不到屬性,則為 -1。
+ 集合中 的第一個索引,如果在集合中找不到屬性,則為 -1。
+
+
+ 將項目插入 中指定的索引處。
+ 應該插入 之以零起始的索引。
+ 要插入的 。此值可以是 null。
+
+ 小於零。-或- 大於 。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 取得值,指出 是否有固定的大小。
+ 如果 有固定大小,則為 true,否則為 false。
+
+
+ 取得值,指出 是否唯讀。
+ 如果 是唯讀的則為 true,否則為 false。
+
+
+ 取得或設定在指定索引處的項目。
+ 在指定索引處的 。
+ 要取得或設定以零起始的集合成員索引。
+
+
+ 從 移除特定物件的第一個相符項目。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 指定 必須將類別成員序列化為 XML 屬性。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,並指定產生的 XML 屬性的名稱。
+
+ 產生的 XML 屬性名稱。
+
+
+ 初始化 類別的新執行個體。
+ 產生的 XML 屬性名稱。
+
+ ,用於儲存屬性。
+
+
+ 初始化 類別的新執行個體。
+
+ ,用於儲存屬性。
+
+
+ 取得或設定 XML 屬性的名稱。
+ XML 屬性的名稱。預設為成員名稱。
+
+
+ 取得或設定由 產生之 XML 屬性的 XSD 資料型別。
+ XSD (XML 結構描述文件) 資料型別,如全球資訊網協會 (www.w3.org ) 文件<XML Schema: DataTypes>中所定義。
+
+
+ 取得或設定值,指出 產生的 XML 屬性名稱是否為限定的。
+ 其中一個 值。預設為 XmlForm.None。
+
+
+ 取得或設定 XML 屬性的 XML 命名空間。
+ XML 屬性的 XML 命名空間。
+
+
+ 取得或設定 XML 屬性的複雜型別。
+ XML 屬性的型別。
+
+
+ 當使用 來序列化或還原序列化物件時,允許您覆寫屬性 (Property)、欄位和類別屬性 (Attribute)。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 將 物件加入 物件的集合。 參數會指定要被覆寫的物件。 參數指定覆寫的成員名稱。
+ 要覆寫之物件的 。
+ 要覆寫的成員名稱。
+ 表示覆寫屬性的 物件。
+
+
+ 將 物件加入 物件的集合。 參數會指定要由 物件覆寫的物件。
+ 覆寫之物件的 。
+ 表示覆寫屬性的 物件。
+
+
+ 取得與指定的、基底類別、型別相關的物件
+ 表示覆寫屬性集合的 。
+ 基底類別 ,與要擷取的屬性集合相關聯。
+
+
+ 取得與指定的 (基底類別) 型別相關的物件。成員參數會指定已覆寫的基底類別成員。
+ 表示覆寫屬性集合的 。
+ 基底類別 ,與您想要的屬性集合相關聯。
+ 指定傳回 的覆寫成員名稱。
+
+
+ 表示用來控制 序列化與還原序列化物件方式的屬性 (Attribute) 物件集合。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 取得或設定要覆寫的 。
+ 要覆寫的 。
+
+
+ 取得要覆寫的 物件的集合。
+
+ 物件,表示 物件的集合。
+
+
+ 取得或設定物件,指定 如何序列化公用欄位或會傳回陣列的讀取/寫入屬性。
+
+ ,指定 如何序列化公用欄位或會傳回陣列的讀取/寫入屬性。
+
+
+ 取得或設定物件集合,指定 如何序列化項目 (用來插入至公用欄位或讀取/寫入屬性所傳回的陣列)。
+ 包含 物件集合的 物件。
+
+
+ 取得或設定物件,指定 如何將公用欄位或公用讀取/寫入屬性序列化為 XML 屬性。
+
+ ,控制將公用欄位或讀取/寫入屬性 (Property) 序列化為 XML 屬性 (Attribute)。
+
+
+ 取得或設定物件,讓您在一組選項間進行區別。
+
+ ,可以套用至序列化為 xsi:choice 項目的類別成員。
+
+
+ 取得或設定 XML 項目或屬性的預設值。
+
+ ,表示 XML 項目或屬性的預設值。
+
+
+ 取得物件的集合,指定 如何將公用欄位或讀取/寫入屬性序列化為 XML 項目。
+ 包含 物件集合的 。
+
+
+ 取得或設定物件,指定 如何序列化列舉型別 (Enumeration) 成員。
+
+ ,指定 如何序列化列舉型別成員。
+
+
+ 取得或設定數值,指定 是否要序列化公用欄位或公用讀取/寫入屬性。
+ 如果 必須不序列化欄位或屬性,則為 true,否則為 false。
+
+
+ 取得或設定數值,指定當物件包含傳回已覆寫 物件的成員時,是否要保留所有的命名空間宣告。
+ 如果應該保留命名空間宣告,則為 true,否則為 false。
+
+
+ 取得或設定物件,指定 如何將類別序列化為 XML (Root Element)。
+
+ ,覆寫類別屬性為 XML 根項目。
+
+
+ 取得或設定物件,指定 將公用欄位或公用讀取/寫入屬性序列化為 XML 文字。
+
+ ,覆寫公用屬性或欄位的預設序列化。
+
+
+ 取得或設定物件,指定 如何序列化套用 的類別。
+
+ ,會覆寫套用 至類別宣告 (Class Declaration)。
+
+
+ 指定可以使用列舉型別進一步偵測成員。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體。
+ 成員名稱,傳回用於偵測選擇的列舉型別。
+
+
+ 取得或設定欄位的名稱,該欄位傳回偵測型別時使用的列舉型別。
+ 傳回列舉型別之欄位的名稱。
+
+
+ 表示在 序列化或還原序列化包含 XML 項目的物件時,公用欄位或屬性表示該項目。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,並且指定 XML 項目的名稱。
+ 序列成員的 XML 項目名稱。
+
+
+ 初始化 的新執行個體,並針對套用 的成員指定 XML 項目名稱和衍生型別。這個成員型別用於 序列化包含它的物件時。
+ 序列成員的 XML 項目名稱。
+ 衍生自成員型別的物件 。
+
+
+ 初始化 類別的新執行個體,並針對套用 的成員指定型別。序列化或還原序列化包含這個型別的物件時, 會使用該型別。
+ 衍生自成員型別的物件 。
+
+
+ 取得或設定 所產生 XML 項目的 XML 結構描述定義 (XSD) 資料型別。
+ XML 結構描述資料型別,如全球資訊網協會 (www.w3.org ) 文件<XML Schema Part 2: Datatypes>所定義。
+ 您指定的 XML 結構描述資料型別無法對應至 .NET 資料型別。
+
+
+ 取得或設定產生的 XML 項目的名稱。
+ 產生的 XML 項目的名稱。預設值為成員識別項。
+
+
+ 取得或設定值,指出項目是否為限定的。
+ 其中一個 值。預設為 。
+
+
+ 取得或設定值,指出 是否必須將設為 null 的成員序列化為 xsi:nil 屬性設為 true 的空標記。
+ 如果 產生 xsi:nil 屬性,則為 true,否則為 false。
+
+
+ 取得或設定指派給類別序列化時所產生之 XML 項目的命名空間。
+ XML 項目的命名空間。
+
+
+ 取得或設定項目序列化或還原序列化的明確順序。
+ 程式碼產生的順序。
+
+
+ 取得或設定用來表示 XML 項目的物件類型。
+ 成員的 。
+
+
+ 代表 物件的集合,由 用於覆寫其序列化類別的預設方式。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 將 加入集合中。
+ 新加入項目之以零起始的索引。
+ 要相加的 。
+
+
+ 將所有元素從 移除。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 判斷集合是否包含指定的物件。
+ 如果集合中有該物件則為true,否則為 false。
+ 要尋找的 。
+
+
+ 複製 或其中一部分至一維陣列。
+ 要儲存所複製項目的 陣列。
+
+ 中以零起始的索引,是複製開始的位置。
+
+
+ 取得 中所包含的元素數。
+
+ 中所包含的項目數。
+
+
+ 傳回整個 的列舉程式。
+ 整個 的 。
+
+
+ 取得指定 的索引。
+
+ 的以零起始的索引。
+ 正在擷取其索引的 。
+
+
+ 將 插入集合。
+ 插入成員所在位置之以零起始的索引。
+ 要插入的 。
+
+
+ 取得或設定指定之索引處的項目。
+ 在指定之索引處的項目。
+ 要取得或設定之以零起始的項目索引。
+
+ 不是 中的有效索引。
+ 屬性已設定,而且 是唯讀的。
+
+
+ 從集合中移除指定的物件。
+ 要從集合中移除的 。
+
+
+ 移除指定之索引處的 項目。
+ 要移除項目之以零啟始的索引。
+
+ 不是 中的有效索引。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 從目標陣列的指定索引開始,複製整個 至相容的一維 。
+ 一維 ,是從 複製過來之項目的目的端。 必須有以零起始的索引。
+
+
+ 取得值,這個值表示對 的存取是否同步 (安全執行緒)。
+ 如果對 的存取為同步 (安全執行緒),則為 true,否則為 false。
+
+
+ 取得可用來同步存取 的物件。
+ 可用來同步存取 的物件。
+
+
+ 將物件加入至 的結尾。
+ 已加入 的 索引。
+ 要加入至 結尾的 。此值可以是 null。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 判斷 是否包含特定值。
+ 如果在 中找到 ,則為 true,否則為 false。
+ 要在 中尋找的物件。
+
+
+ 判斷 中特定項目的索引。
+ 如果可在清單中找到,則為 的索引,否則為 -1。
+ 要在 中尋找的物件。
+
+
+ 將項目插入 中指定的索引處。
+ 應該插入 之以零起始的索引。
+ 要插入的 。此值可以是 null。
+
+ 小於零。-或- 大於 。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 取得值,指出 是否有固定的大小。
+ 如果 有固定大小,則為 true,否則為 false。
+
+
+ 取得值,指出 是否唯讀。
+ 如果 是唯讀的則為 true,否則為 false。
+
+
+ 取得或設定指定之索引處的項目。
+ 在指定之索引處的項目。
+ 要取得或設定之以零起始的項目索引。
+
+ 不是 中的有效索引。
+ 屬性已設定,而且 是唯讀的。
+
+
+ 從 移除特定物件的第一個相符項目。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 控制 序列化列舉型別 (Enumeration) 成員的方式。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,並指定 分別在序列化或還原序列化列舉型別時所產生或識別的 XML 值。
+ 列舉型別成員的覆寫名稱。
+
+
+ 取得或設定當 序列化列舉型別時,在 XML 文件執行個體所產生的值,或是當它還原序列化列舉型別成員時所識別的值。
+ 當 序列化列舉型別時,在 XML 文件執行個體中所產生的值,或是當它還原序列化列舉型別成員時所識別的值。
+
+
+ 表示 的 方法不要序列化公用欄位或公用讀取/寫入屬性值。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 讓 在對物件進行序列化或還原序列化時,能夠辨識型別。
+
+
+ 初始化 類別的新執行個體。
+ 要包含的物件的 。
+
+
+ 取得或設定要包含的物件的型別。
+ 要包含的物件的 。
+
+
+ 指定目標屬性、參數、傳回值或類別成員,包含與 XML 文件內使用之命名空間相關聯的前置詞。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 控制做為 XML 根項目之屬性目標的 XML 序列化。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,並指定 XML 根項目的名稱。
+ XML 根項目的名稱。
+
+
+ 取得或設定 XML 根項目的 XSD 資料型別。
+ XSD (XML 結構描述文件) 資料型別,如全球資訊網協會 (www.w3.org ) 文件<XML Schema: DataTypes>中所定義。
+
+
+ 取得或設定分別由 類別的 和 方法所產生和辨識的 XML 項目。
+ 在 XML 文件執行個體中所產生或辨識的 XML 根項目名稱。預設值為序列類別的名稱。
+
+
+ 取得或設定值,指出 是否必須將設為 null 的成員序列化為設為 true 的 xsi:nil 屬性。
+ 如果 產生 xsi:nil 屬性,則為 true,否則為 false。
+
+
+ 取得或設定 XML 根項目的命名空間。
+ XML 根項目的命名空間。
+
+
+ 將物件序列化成為 XML 文件,以及從 XML 文件將物件還原序列化。 可讓您控制如何將物件編碼為 XML。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,該類別可將指定型別的物件序列化為 XML 文件,並可將 XML 文件還原序列化為指定型別的物件。
+ 這個 可序列化的物件型別。
+
+
+ 初始化 類別的新執行個體,該類別可將指定型別的物件序列化為 XML 文件,並可將 XML 文件還原序列化為指定型別的物件。指定所有 XML 項目的預設命名空間。
+ 這個 可序列化的物件型別。
+ 用於所有 XML 項目的預設命名空間。
+
+
+ 初始化 類別的新執行個體,該類別可將指定型別的物件序列化為 XML 文件,並可將 XML 文件還原序列化為指定型別的物件。如果屬性或欄位傳回陣列, 參數就會指定可插入陣列的物件。
+ 這個 可序列化的物件型別。
+ 要序列化之其他物件型別的 陣列。
+
+
+ 初始化 類別的新執行個體,該類別可將指定型別的物件序列化為 XML 文件,並可將 XML 文件還原序列化為指定型別的物件。每個要序列化的物件本身會包含類別執行個體,這個多載可以其他類別覆寫。
+ 要序列化的物件型別。
+
+ 。
+
+
+ 初始化 類別的新執行個體,該類別可將 型別的物件序列化為 XML 文件執行個體,並可將 XML 文件執行個體還原序列化為 型別的物件。每個要序列化的物件本身都可包含類別的執行個體,這個多載會使用其他類別對其進行覆寫。這個多載也會指定所有 XML 項目的預設命名空間,以及要做為 XML 根項目的類別。
+ 這個 可序列化的物件型別。
+
+ ,延伸或覆寫指定在 參數中類別的行為。
+ 要序列化之其他物件型別的 陣列。
+ 定義 XML 根項目屬性的 。
+ XML 文件中所有 XML 項目的預設命名空間。
+
+
+ 初始化 類別的新執行個體,該類別可將指定型別的物件序列化為 XML 文件,並可將 XML 文件還原序列化為指定型別的物件。它還指定做為 XML 根項目的類別。
+ 這個 可序列化的物件型別。
+ 表示 XML 根項目的 。
+
+
+ 取得值,指出這個 是否可以還原序列化指定的 XML 文件。
+ 如果這個 可以還原序列化 所指向的物件,則為 true,否則為 false。
+
+ ,指向要還原序列化的文件。
+
+
+ 還原序列化指定 所包含的 XML 文件。
+ 要進行還原序列化的 。
+
+ ,包含要還原序列化的 XML 文件。
+
+
+ 還原序列化指定 所包含的 XML 文件。
+ 要進行還原序列化的 。
+
+ ,包含要還原序列化的 XML 文件。
+ 在還原序列化期間發生錯誤。可以使用 屬性取得原始例外狀況。
+
+
+ 還原序列化指定 所包含的 XML 文件。
+ 要進行還原序列化的 。
+
+ ,包含要還原序列化的 XML 文件。
+ 在還原序列化期間發生錯誤。可以使用 屬性取得原始例外狀況。
+
+
+ 傳回由型別陣列建立的 物件的陣列。
+
+ 物件的陣列。
+
+ 物件的陣列。
+
+
+ 序列化指定的 ,並使用指定的 將 XML 文件寫入檔案。
+ 用來寫入 XML 文件的 。
+ 要序列化的 。
+ 在序列化期間發生錯誤。可以使用 屬性取得原始例外狀況。
+
+
+ 序列化指定的 ,使用指定的 將 XML 文件寫入檔案,並參考指定的命名空間。
+ 用來寫入 XML 文件的 。
+ 要序列化的 。
+ 物件所參考的 。
+ 在序列化期間發生錯誤。可以使用 屬性取得原始例外狀況。
+
+
+ 序列化指定的 ,並使用指定的 將 XML 文件寫入檔案。
+ 用來寫入 XML 文件的 。
+ 要序列化的 。
+
+
+ 將指定的 序列化,使用指定的 將 XML 文件寫入檔案,並參考指定的命名空間。
+ 用來寫入 XML 文件的 。
+ 要序列化的 。
+
+ ,包含產生之 XML 文件的命名空間。
+ 在序列化期間發生錯誤。可以使用 屬性取得原始例外狀況。
+
+
+ 序列化指定的 ,並使用指定的 將 XML 文件寫入檔案。
+ 用來寫入 XML 文件的 。
+ 要序列化的 。
+ 在序列化期間發生錯誤。可以使用 屬性取得原始例外狀況。
+
+
+ 序列化指定的 ,使用指定的 將 XML 文件寫入檔案,並參考指定的命名空間。
+ 用來寫入 XML 文件的 。
+ 要序列化的 。
+ 物件所參考的 。
+ 在序列化期間發生錯誤。可以使用 屬性取得原始例外狀況。
+
+
+ 將 XML 命名空間 (Namespace) 和 用來產生限定名稱的前置詞包含在 XML 文件執行個體中。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 使用包含前置詞和命名空間配對集合之 的指定執行個體,初始化 XmlSerializerNamespaces 類別的新執行個體。
+
+ 的執行個體,包含命名空間和前置詞配對。
+
+
+ 初始化 類別的新執行個體。
+
+ 物件的陣列。
+
+
+ 將前置詞和命名空間配對加入 物件。
+ 與 XML 命名空間相關的前置詞。
+ XML 命名空間。
+
+
+ 取得集合中前置詞和命名空間配對的數目。
+ 集合中前置詞和命名空間配對數目。
+
+
+ 取得 物件中前置詞和命名空間配對的陣列。
+
+ 物件的陣列,在 XML 文件中用作限定名稱。
+
+
+ 表示 在序列化或還原序列化包含它的類別之後,應該將成員視為 XML 文字。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體。
+ 要序列化之成員的 。
+
+
+ 取得或設定 所產生之文字的XML 結構描述定義語言 (XSD) 資料型別。
+ XML 結構描述 (XSD) 資料型別,如全球資訊網協會 (www.w3.org ) 文件<XML Schema Part 2: Datatypes>中所定義。
+ 您指定的 XML 結構描述資料型別無法對應至 .NET 資料型別。
+ 您指定的 XML 結構描述資料型別對於該屬性無效,且無法轉換為成員型別。
+
+
+ 取得或設定成員的型別。
+ 成員的 。
+
+
+ 控制由 序列化屬性 (Attribute) 目標後所產生的 XML 結構描述。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,並指定 XML 型別的名稱。
+ XML 型別的名稱,是 序列化類別執行個體時所產生的 (並且對類別執行個體進行還原序列化時所辨識的)。
+
+
+ 取得或設定值,判斷產生的結構描述型別是否為 XSD 匿名型別。
+ 如果產生的結構描述型別是 XSD 匿名型別則為 true,否則為 false。
+
+
+ 取得或設定值,指出是否將型別包含在 XML 結構描述文件中。
+ 若要將型別包含於 XML 結構描述文件中,則為 true,否則為 false。
+
+
+ 取得或設定 XML 型別的命名空間。
+ XML 型別的命名空間。
+
+
+ 取得或設定 XML 型別的名稱。
+ XML 型別的名稱。
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/System.Xml.XmlSerializer.dll b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/System.Xml.XmlSerializer.dll
new file mode 100644
index 0000000..28f0f6a
Binary files /dev/null and b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/System.Xml.XmlSerializer.dll differ
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..bc82b1d
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/System.Xml.XmlSerializer.xml
@@ -0,0 +1,880 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ Specifies that the member (a field that returns an array of objects) can contain any XML attributes.
+
+
+ Constructs a new instance of the class.
+
+
+ Specifies that the member (a field that returns an array of or objects) contains objects that represent any XML element that has no corresponding member in the object being serialized or deserialized.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class and specifies the XML element name generated in the XML document.
+ The name of the XML element that the generates.
+
+
+ Initializes a new instance of the class and specifies the XML element name generated in the XML document and its XML namespace.
+ The name of the XML element that the generates.
+ The XML namespace of the XML element.
+
+
+ Gets or sets the XML element name.
+ The name of the XML element.
+ The element name of an array member does not match the element name specified by the property.
+
+
+ Gets or sets the XML namespace generated in the XML document.
+ An XML namespace.
+
+
+ Gets or sets the explicit order in which the elements are serialized or deserialized.
+ The order of the code generation.
+
+
+ Represents a collection of objects.
+
+
+ Initializes a new instance of the class.
+
+
+ Adds an to the collection.
+ The index of the newly added .
+ The to add.
+
+
+ Removes all objects from the . This method cannot be overridden.
+
+
+ Gets a value that indicates whether the specified exists in the collection.
+ true if the exists in the collection; otherwise, false.
+ The you are interested in.
+
+
+ Copies the entire collection to a compatible one-dimensional array of objects, starting at the specified index of the target array.
+ The one-dimensional array of objects that is the destination of the elements copied from the collection. The array must have zero-based indexing.
+ The zero-based index in at which copying begins.
+
+
+ Gets the number of elements contained in the instance.
+ The number of elements contained in the instance.
+
+
+ Returns an enumerator that iterates through the .
+ An enumerator that iterates through the .
+
+
+ Gets the index of the specified .
+ The index of the specified .
+ The whose index you want.
+
+
+ Inserts an into the collection at the specified index.
+ The index where the is inserted.
+ The to insert.
+
+
+ Gets or sets the at the specified index.
+ An at the specified index.
+ The index of the .
+
+
+ Removes the specified from the collection.
+ The to remove.
+
+
+ Removes the element at the specified index of the . This method cannot be overridden.
+ The index of the element to be removed.
+
+
+ Copies the entire collection to a compatible one-dimensional array of objects, starting at the specified index of the target array.
+ The one-dimensional array.
+ The specified index.
+
+
+ Gets a value indicating whether access to the is synchronized (thread safe).
+ True if the access to the is synchronized; otherwise, false.
+
+
+ Gets an object that can be used to synchronize access to the .
+ An object that can be used to synchronize access to the .
+
+
+ Adds an object to the end of the .
+ The added object to the collection.
+ The value of the object to be added to the collection.
+
+
+ Determines whether the contains a specific element.
+ True if the contains a specific element; otherwise, false.
+ The value of the element.
+
+
+ Searches for the specified Object and returns the zero-based index of the first occurrence within the entire .
+ The zero-based index of the object.
+ The value of the object.
+
+
+ Inserts an element into the at the specified index.
+ The index where the element will be inserted.
+ The value of the element.
+
+
+ Gets a value indicating whether the a fixed size.
+ True if the a fixed size; otherwise, false.
+
+
+ Gets a value indicating whether the is read-only.
+ True if the is read-only; otherwise, false.
+
+
+ Gets or sets the element at the specified index.
+ The element at the specified index.
+ The index of the element.
+
+
+ Removes the first occurrence of a specific object from the .
+ The value of the removed object.
+
+
+ Specifies that the must serialize a particular class member as an array of XML elements.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class and specifies the XML element name generated in the XML document instance.
+ The name of the XML element that the generates.
+
+
+ Gets or sets the XML element name given to the serialized array.
+ The XML element name of the serialized array. The default is the name of the member to which the is assigned.
+
+
+ Gets or sets a value that indicates whether the XML element name generated by the is qualified or unqualified.
+ One of the values. The default is XmlSchemaForm.None.
+
+
+ Gets or sets a value that indicates whether the must serialize a member as an empty XML tag with the xsi:nil attribute set to true.
+ true if the generates the xsi:nil attribute; otherwise, false.
+
+
+ Gets or sets the namespace of the XML element.
+ The namespace of the XML element.
+
+
+ Gets or sets the explicit order in which the elements are serialized or deserialized.
+ The order of the code generation.
+
+
+ Represents an attribute that specifies the derived types that the can place in a serialized array.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class and specifies the name of the XML element generated in the XML document.
+ The name of the XML element.
+
+
+ Initializes a new instance of the class and specifies the name of the XML element generated in the XML document and the that can be inserted into the generated XML document.
+ The name of the XML element.
+ The of the object to serialize.
+
+
+ Initializes a new instance of the class and specifies the that can be inserted into the serialized array.
+ The of the object to serialize.
+
+
+ Gets or sets the XML data type of the generated XML element.
+ An XML schema definition (XSD) data type, as defined by the World Wide Web Consortium (www.w3.org) document "XML Schema Part 2: DataTypes".
+
+
+ Gets or sets the name of the generated XML element.
+ The name of the generated XML element. The default is the member identifier.
+
+
+ Gets or sets a value that indicates whether the name of the generated XML element is qualified.
+ One of the values. The default is XmlSchemaForm.None.
+ The property is set to XmlSchemaForm.Unqualified and a value is specified.
+
+
+ Gets or sets a value that indicates whether the must serialize a member as an empty XML tag with the xsi:nil attribute set to true.
+ true if the generates the xsi:nil attribute; otherwise, false, and no instance is generated. The default is true.
+
+
+ Gets or sets the namespace of the generated XML element.
+ The namespace of the generated XML element.
+
+
+ Gets or sets the level in a hierarchy of XML elements that the affects.
+ The zero-based index of a set of indexes in an array of arrays.
+
+
+ Gets or sets the type allowed in an array.
+ A that is allowed in the array.
+
+
+ Represents a collection of objects.
+
+
+ Initializes a new instance of the class.
+
+
+ Adds an to the collection.
+ The index of the added item.
+ The to add to the collection.
+
+
+ Removes all elements from the .
+ The is read-only.-or- The has a fixed size.
+
+
+ Determines whether the collection contains the specified .
+ true if the collection contains the specified ; otherwise, false.
+ The to check for.
+
+
+ Copies an array to the collection, starting at a specified target index.
+ The array of objects to copy to the collection.
+ The index at which the copied attributes begin.
+
+
+ Gets the number of elements contained in the .
+ The number of elements contained in the .
+
+
+ Returns an enumerator for the entire .
+ An for the entire .
+
+
+ Returns the zero-based index of the first occurrence of the specified in the collection or -1 if the attribute is not found in the collection.
+ The first index of the in the collection or -1 if the attribute is not found in the collection.
+ The to locate in the collection.
+
+
+ Inserts an into the collection at the specified index.
+ The index at which the attribute is inserted.
+ The to insert.
+
+
+ Gets or sets the item at the specified index.
+ The at the specified index.
+ The zero-based index of the collection member to get or set.
+
+
+ Removes an from the collection, if it is present.
+ The to remove.
+
+
+ Removes the item at the specified index.
+ The zero-based index of the item to remove.
+
+ is not a valid index in the .
+ The is read-only.-or- The has a fixed size.
+
+
+ Copies the entire to a compatible one-dimensional , starting at the specified index of the target array.
+ The one-dimensional that is the destination of the elements copied from . The must have zero-based indexing.
+
+
+ Gets a value indicating whether access to the is synchronized (thread safe).
+ true if access to the is synchronized (thread safe); otherwise, false.
+
+
+
+ Adds an object to the end of the .
+ The index at which the has been added.
+ The to be added to the end of the . The value can be null.
+ The is read-only.-or- The has a fixed size.
+
+
+ Determines whether the collection contains the specified .
+ true if the collection contains the specified ; otherwise, false.
+
+
+ Returns the zero-based index of the first occurrence of the specified in the collection or -1 if the attribute is not found in the collection.
+ The first index of the in the collection or -1 if the attribute is not found in the collection.
+
+
+ Inserts an element into the at the specified index.
+ The zero-based index at which should be inserted.
+ The to insert. The value can be null.
+
+ is less than zero.-or- is greater than .
+ The is read-only.-or- The has a fixed size.
+
+
+ Gets a value indicating whether the has a fixed size.
+ true if the has a fixed size; otherwise, false.
+
+
+ Gets a value indicating whether the is read-only.
+ true if the is read-only; otherwise, false.
+
+
+ Gets or sets the item at the specified index.
+ The at the specified index.
+ The zero-based index of the collection member to get or set.
+
+
+ Removes the first occurrence of a specific object from the .
+ The is read-only.-or- The has a fixed size.
+
+
+ Specifies that the must serialize the class member as an XML attribute.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class and specifies the name of the generated XML attribute.
+ The name of the XML attribute that the generates.
+
+
+ Initializes a new instance of the class.
+ The name of the XML attribute that is generated.
+ The used to store the attribute.
+
+
+ Initializes a new instance of the class.
+ The used to store the attribute.
+
+
+ Gets or sets the name of the XML attribute.
+ The name of the XML attribute. The default is the member name.
+
+
+ Gets or sets the XSD data type of the XML attribute generated by the .
+ An XSD (XML Schema Document) data type, as defined by the World Wide Web Consortium (www.w3.org) document named "XML Schema: DataTypes".
+
+
+ Gets or sets a value that indicates whether the XML attribute name generated by the is qualified.
+ One of the values. The default is XmlForm.None.
+
+
+ Gets or sets the XML namespace of the XML attribute.
+ The XML namespace of the XML attribute.
+
+
+ Gets or sets the complex type of the XML attribute.
+ The type of the XML attribute.
+
+
+ Allows you to override property, field, and class attributes when you use the to serialize or deserialize an object.
+
+
+ Initializes a new instance of the class.
+
+
+ Adds an object to the collection of objects. The parameter specifies an object to be overridden. The parameter specifies the name of a member that is overridden.
+ The of the object to override.
+ The name of the member to override.
+ An object that represents the overriding attributes.
+
+
+ Adds an object to the collection of objects. The parameter specifies an object to be overridden by the object.
+ The of the object that is overridden.
+ An object that represents the overriding attributes.
+
+
+ Gets the object associated with the specified, base-class, type.
+ An that represents the collection of overriding attributes.
+ The base class that is associated with the collection of attributes you want to retrieve.
+
+
+ Gets the object associated with the specified (base-class) type. The member parameter specifies the base-class member that is overridden.
+ An that represents the collection of overriding attributes.
+ The base class that is associated with the collection of attributes you want.
+ The name of the overridden member that specifies the to return.
+
+
+ Represents a collection of attribute objects that control how the serializes and deserializes an object.
+
+
+ Initializes a new instance of the class.
+
+
+ Gets or sets the to override.
+ The to override.
+
+
+ Gets the collection of objects to override.
+ An object that represents the collection of objects.
+
+
+ Gets or sets an object that specifies how the serializes a public field or read/write property that returns an array.
+ An that specifies how the serializes a public field or read/write property that returns an array.
+
+
+ Gets or sets a collection of objects that specify how the serializes items inserted into an array returned by a public field or read/write property.
+ An object that contains a collection of objects.
+
+
+ Gets or sets an object that specifies how the serializes a public field or public read/write property as an XML attribute.
+ An that controls the serialization of a public field or read/write property as an XML attribute.
+
+
+ Gets or sets an object that allows you to distinguish between a set of choices.
+ An that can be applied to a class member that is serialized as an xsi:choice element.
+
+
+ Gets or sets the default value of an XML element or attribute.
+ An that represents the default value of an XML element or attribute.
+
+
+ Gets a collection of objects that specify how the serializes a public field or read/write property as an XML element.
+ An that contains a collection of objects.
+
+
+ Gets or sets an object that specifies how the serializes an enumeration member.
+ An that specifies how the serializes an enumeration member.
+
+
+ Gets or sets a value that specifies whether or not the serializes a public field or public read/write property.
+ true if the must not serialize the field or property; otherwise, false.
+
+
+ Gets or sets a value that specifies whether to keep all namespace declarations when an object containing a member that returns an object is overridden.
+ true if the namespace declarations should be kept; otherwise, false.
+
+
+ Gets or sets an object that specifies how the serializes a class as an XML root element.
+ An that overrides a class attributed as an XML root element.
+
+
+ Gets or sets an object that instructs the to serialize a public field or public read/write property as XML text.
+ An that overrides the default serialization of a public property or field.
+
+
+ Gets or sets an object that specifies how the serializes a class to which the has been applied.
+ An that overrides an applied to a class declaration.
+
+
+ Specifies that the member can be further detected by using an enumeration.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class.
+ The member name that returns the enumeration used to detect a choice.
+
+
+ Gets or sets the name of the field that returns the enumeration to use when detecting types.
+ The name of a field that returns an enumeration.
+
+
+ Indicates that a public field or property represents an XML element when the serializes or deserializes the object that contains it.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class and specifies the name of the XML element.
+ The XML element name of the serialized member.
+
+
+ Initializes a new instance of the and specifies the name of the XML element and a derived type for the member to which the is applied. This member type is used when the serializes the object that contains it.
+ The XML element name of the serialized member.
+ The of an object derived from the member's type.
+
+
+ Initializes a new instance of the class and specifies a type for the member to which the is applied. This type is used by the when serializing or deserializing object that contains it.
+ The of an object derived from the member's type.
+
+
+ Gets or sets the XML Schema definition (XSD) data type of the XML element generated by the .
+ An XML Schema data type, as defined by the World Wide Web Consortium (www.w3.org) document named "XML Schema Part 2: Datatypes".
+ The XML Schema data type you have specified cannot be mapped to the.NET data type.
+
+
+ Gets or sets the name of the generated XML element.
+ The name of the generated XML element. The default is the member identifier.
+
+
+ Gets or sets a value that indicates whether the element is qualified.
+ One of the values. The default is .
+
+
+ Gets or sets a value that indicates whether the must serialize a member that is set to null as an empty tag with the xsi:nil attribute set to true.
+ true if the generates the xsi:nil attribute; otherwise, false.
+
+
+ Gets or sets the namespace assigned to the XML element that results when the class is serialized.
+ The namespace of the XML element.
+
+
+ Gets or sets the explicit order in which the elements are serialized or deserialized.
+ The order of the code generation.
+
+
+ Gets or sets the object type used to represent the XML element.
+ The of the member.
+
+
+ Represents a collection of objects used by the to override the default way it serializes a class.
+
+
+ Initializes a new instance of the class.
+
+
+ Adds an to the collection.
+ The zero-based index of the newly added item.
+ The to add.
+
+
+ Removes all elements from the .
+ The is read-only.-or- The has a fixed size.
+
+
+ Determines whether the collection contains the specified object.
+ true if the object exists in the collection; otherwise, false.
+ The to look for.
+
+
+ Copies the , or a portion of it to a one-dimensional array.
+ The array to hold the copied elements.
+ The zero-based index in at which copying begins.
+
+
+ Gets the number of elements contained in the .
+ The number of elements contained in the .
+
+
+ Returns an enumerator for the entire .
+ An for the entire .
+
+
+ Gets the index of the specified .
+ The zero-based index of the .
+ The whose index is being retrieved.
+
+
+ Inserts an into the collection.
+ The zero-based index where the member is inserted.
+ The to insert.
+
+
+ Gets or sets the element at the specified index.
+ The element at the specified index.
+ The zero-based index of the element to get or set.
+
+ is not a valid index in the .
+ The property is set and the is read-only.
+
+
+ Removes the specified object from the collection.
+ The to remove from the collection.
+
+
+ Removes the item at the specified index.
+ The zero-based index of the item to remove.
+
+ is not a valid index in the .
+ The is read-only.-or- The has a fixed size.
+
+
+ Copies the entire to a compatible one-dimensional , starting at the specified index of the target array.
+ The one-dimensional that is the destination of the elements copied from . The must have zero-based indexing.
+
+
+ Gets a value indicating whether access to the is synchronized (thread safe).
+ true if access to the is synchronized (thread safe); otherwise, false.
+
+
+ Gets an object that can be used to synchronize access to the .
+ An object that can be used to synchronize access to the .
+
+
+ Adds an object to the end of the .
+ The index at which the has been added.
+ The to be added to the end of the . The value can be null.
+ The is read-only.-or- The has a fixed size.
+
+
+ Determines whether the contains a specific value.
+ true if the is found in the ; otherwise, false.
+ The object to locate in the .
+
+
+ Determines the index of a specific item in the .
+ The index of if found in the list; otherwise, -1.
+ The object to locate in the .
+
+
+ Inserts an element into the at the specified index.
+ The zero-based index at which should be inserted.
+ The to insert. The value can be null.
+
+ is less than zero.-or- is greater than .
+ The is read-only.-or- The has a fixed size.
+
+
+ Gets a value indicating whether the has a fixed size.
+ true if the has a fixed size; otherwise, false.
+
+
+ Gets a value indicating whether the is read-only.
+ true if the is read-only; otherwise, false.
+
+
+ Gets or sets the element at the specified index.
+ The element at the specified index.
+ The zero-based index of the element to get or set.
+
+ is not a valid index in the .
+ The property is set and the is read-only.
+
+
+ Removes the first occurrence of a specific object from the .
+ The is read-only.-or- The has a fixed size.
+
+
+ Controls how the serializes an enumeration member.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class, and specifies the XML value that the generates or recognizes (when it serializes or deserializes the enumeration, respectively).
+ The overriding name of the enumeration member.
+
+
+ Gets or sets the value generated in an XML-document instance when the serializes an enumeration, or the value recognized when it deserializes the enumeration member.
+ The value generated in an XML-document instance when the serializes the enumeration, or the value recognized when it is deserializes the enumeration member.
+
+
+ Instructs the method of the not to serialize the public field or public read/write property value.
+
+
+ Initializes a new instance of the class.
+
+
+ Allows the to recognize a type when it serializes or deserializes an object.
+
+
+ Initializes a new instance of the class.
+ The of the object to include.
+
+
+ Gets or sets the type of the object to include.
+ The of the object to include.
+
+
+ Specifies that the target property, parameter, return value, or class member contains prefixes associated with namespaces that are used within an XML document.
+
+
+ Initializes a new instance of the class.
+
+
+ Controls XML serialization of the attribute target as an XML root element.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class and specifies the name of the XML root element.
+ The name of the XML root element.
+
+
+ Gets or sets the XSD data type of the XML root element.
+ An XSD (XML Schema Document) data type, as defined by the World Wide Web Consortium (www.w3.org) document named "XML Schema: DataTypes".
+
+
+ Gets or sets the name of the XML element that is generated and recognized by the class's and methods, respectively.
+ The name of the XML root element that is generated and recognized in an XML-document instance. The default is the name of the serialized class.
+
+
+ Gets or sets a value that indicates whether the must serialize a member that is set to null into the xsi:nil attribute set to true.
+ true if the generates the xsi:nil attribute; otherwise, false.
+
+
+ Gets or sets the namespace for the XML root element.
+ The namespace for the XML element.
+
+
+ Serializes and deserializes objects into and from XML documents. The enables you to control how objects are encoded into XML.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class that can serialize objects of the specified type into XML documents, and deserialize XML documents into objects of the specified type.
+ The type of the object that this can serialize.
+
+
+ Initializes a new instance of the class that can serialize objects of the specified type into XML documents, and deserialize XML documents into objects of the specified type. Specifies the default namespace for all the XML elements.
+ The type of the object that this can serialize.
+ The default namespace to use for all the XML elements.
+
+
+ Initializes a new instance of the class that can serialize objects of the specified type into XML documents, and deserialize XML documents into object of a specified type. If a property or field returns an array, the parameter specifies objects that can be inserted into the array.
+ The type of the object that this can serialize.
+ A array of additional object types to serialize.
+
+
+ Initializes a new instance of the class that can serialize objects of the specified type into XML documents, and deserialize XML documents into objects of the specified type. Each object to be serialized can itself contain instances of classes, which this overload can override with other classes.
+ The type of the object to serialize.
+ An .
+
+
+ Initializes a new instance of the class that can serialize objects of type into XML document instances, and deserialize XML document instances into objects of type . Each object to be serialized can itself contain instances of classes, which this overload overrides with other classes. This overload also specifies the default namespace for all the XML elements and the class to use as the XML root element.
+ The type of the object that this can serialize.
+ An that extends or overrides the behavior of the class specified in the parameter.
+ A array of additional object types to serialize.
+ An that defines the XML root element properties.
+ The default namespace of all XML elements in the XML document.
+
+
+ Initializes a new instance of the class that can serialize objects of the specified type into XML documents, and deserialize an XML document into object of the specified type. It also specifies the class to use as the XML root element.
+ The type of the object that this can serialize.
+ An that represents the XML root element.
+
+
+ Gets a value that indicates whether this can deserialize a specified XML document.
+ true if this can deserialize the object that the points to; otherwise, false.
+ An that points to the document to deserialize.
+
+
+ Deserializes the XML document contained by the specified .
+ The being deserialized.
+ The that contains the XML document to deserialize.
+
+
+ Deserializes the XML document contained by the specified .
+ The being deserialized.
+ The that contains the XML document to deserialize.
+ An error occurred during deserialization. The original exception is available using the property.
+
+
+ Deserializes the XML document contained by the specified .
+ The being deserialized.
+ The that contains the XML document to deserialize.
+ An error occurred during deserialization. The original exception is available using the property.
+
+
+ Returns an array of objects created from an array of types.
+ An array of objects.
+ An array of objects.
+
+
+ Serializes the specified and writes the XML document to a file using the specified .
+ The used to write the XML document.
+ The to serialize.
+ An error occurred during serialization. The original exception is available using the property.
+
+
+ Serializes the specified and writes the XML document to a file using the specified that references the specified namespaces.
+ The used to write the XML document.
+ The to serialize.
+ The referenced by the object.
+ An error occurred during serialization. The original exception is available using the property.
+
+
+ Serializes the specified and writes the XML document to a file using the specified .
+ The used to write the XML document.
+ The to serialize.
+
+
+ Serializes the specified and writes the XML document to a file using the specified and references the specified namespaces.
+ The used to write the XML document.
+ The to serialize.
+ The that contains namespaces for the generated XML document.
+ An error occurred during serialization. The original exception is available using the property.
+
+
+ Serializes the specified and writes the XML document to a file using the specified .
+ The used to write the XML document.
+ The to serialize.
+ An error occurred during serialization. The original exception is available using the property.
+
+
+ Serializes the specified and writes the XML document to a file using the specified and references the specified namespaces.
+ The used to write the XML document.
+ The to serialize.
+ The referenced by the object.
+ An error occurred during serialization. The original exception is available using the property.
+
+
+ Contains the XML namespaces and prefixes that the uses to generate qualified names in an XML-document instance.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class, using the specified instance of XmlSerializerNamespaces containing the collection of prefix and namespace pairs.
+ An instance of the containing the namespace and prefix pairs.
+
+
+ Initializes a new instance of the class.
+ An array of objects.
+
+
+ Adds a prefix and namespace pair to an object.
+ The prefix associated with an XML namespace.
+ An XML namespace.
+
+
+ Gets the number of prefix and namespace pairs in the collection.
+ The number of prefix and namespace pairs in the collection.
+
+
+ Gets the array of prefix and namespace pairs in an object.
+ An array of objects that are used as qualified names in an XML document.
+
+
+ Indicates to the that the member must be treated as XML text when the class that contains it is serialized or deserialized.
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class.
+ The of the member to be serialized.
+
+
+ Gets or sets the XML Schema definition language (XSD) data type of the text generated by the .
+ An XML Schema (XSD) data type, as defined by the World Wide Web Consortium (www.w3.org) document "XML Schema Part 2: Datatypes".
+ The XML Schema data type you have specified cannot be mapped to the .NET data type.
+ The XML Schema data type you have specified is invalid for the property and cannot be converted to the member type.
+
+
+ Gets or sets the type of the member.
+ The of the member.
+
+
+ Controls the XML schema that is generated when the attribute target is serialized by the .
+
+
+ Initializes a new instance of the class.
+
+
+ Initializes a new instance of the class and specifies the name of the XML type.
+ The name of the XML type that the generates when it serializes the class instance (and recognizes when it deserializes the class instance).
+
+
+ Gets or sets a value that determines whether the resulting schema type is an XSD anonymous type.
+ true, if the resulting schema type is an XSD anonymous type; otherwise, false.
+
+
+ Gets or sets a value that indicates whether to include the type in XML schema documents.
+ true to include the type in XML schema documents; otherwise, false.
+
+
+ Gets or sets the namespace of the XML type.
+ The namespace of the XML type.
+
+
+ Gets or sets the name of the XML type.
+ The name of the XML type.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/de/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/de/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..842796f
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/de/System.Xml.XmlSerializer.xml
@@ -0,0 +1,890 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ Gibt an, dass der Member (ein Feld, das ein Array von -Objekten zurückgibt) XML-Attribute enthalten kann.
+
+
+ Erstellt eine neue Instanz der -Klasse.
+
+
+ Gibt an, dass der Member (ein Feld, das ein Array von -Objekten oder -Objekten zurückgibt) Objekte enthält, die XML-Elemente darstellen, die keine entsprechenden Member in dem zu serialisierenden oder zu deserialisierenden Objekt aufweisen.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den im XML-Dokument generierten XML-Elementnamen an.
+ Der Name des von generierten XML-Elements.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den im XML-Dokument und dessen XML-Namespace generierten XML-Elementnamen an.
+ Der Name des von generierten XML-Elements.
+ Der XML-Namespace des XML-Elements.
+
+
+ Ruft den XML-Elementnamen ab oder legt diesen fest.
+ Der Name des XML-Elements.
+ Der Elementname eines Arraymembers stimmt nicht mit dem Elementnamen überein, der durch die -Eigenschaft angegeben wird.
+
+
+ Ruft den im XML-Dokument generierten XML-Namespace ab oder legt diesen fest.
+ Ein XML-Namespace.
+
+
+ Ruft die explizite Reihenfolge ab, in der die Elemente serialisiert oder deserialisiert werden, oder legt diese fest.
+ Die Reihenfolge der Codegenerierung.
+
+
+ Stellt eine Auflistung von -Objekten dar.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Fügt der Auflistung ein hinzu.
+ Der Index des neu hinzugefügten .
+ Die zu addierende .
+
+
+ Entfernt alle Objekte aus dem .Diese Methode kann nicht überschrieben werden.
+
+
+ Ruft einen Wert ab, der angibt, ob das angegebene in der Auflistung vorhanden ist.
+ true, wenn das in der Auflistung enthalten ist, andernfalls false.
+ Das gesuchte .
+
+
+ Kopiert die gesamte Auflistung in ein kompatibles eindimensionales Array von -Objekten, beginnend ab dem angegebenen Index im Zielarray.
+ Das eindimensionale Array von -Objekten, in das die Elemente aus der Auflistung kopiert werden.Für das Array muss eine nullbasierte Indizierung verwendet werden.
+ Der nullbasierte Index im , bei dem der Kopiervorgang beginnt.
+
+
+ Ruft die Anzahl der in der -Instanz enthaltenen Elemente ab.
+ Die Anzahl der in der -Instanz enthaltenen Elemente.
+
+
+ Gibt einen Enumerator zurück, der die durchläuft.
+ Ein Enumerator, der das durchläuft.
+
+
+ Ruft den Index der angegebenen ab.
+ Der Index des angegebenen .
+ Das , dessen Index gesucht wird.
+
+
+ Fügt einen am angegebenen Index in die Auflistung ein.
+ Der Index, an dem eingefügt wird.
+ Die einzufügende .
+
+
+ Ruft den am angegebenen Index ab oder legt diesen fest.
+ Ein am angegebenen Index.
+ Der Index des .
+
+
+ Entfernt das angegebene aus der Auflistung.
+ Das zu entfernende .
+
+
+ Entfernt das Element am angegebenen Index aus der .Diese Methode kann nicht überschrieben werden.
+ Der Index des zu entfernenden Elements.
+
+
+ Kopiert die gesamte Auflistung in ein kompatibles eindimensionales Array von -Objekten, beginnend ab dem angegebenen Index im Zielarray.
+ Das eindimensionale Array.
+ Der angegebene Index.
+
+
+ Ruft einen Wert ab, der angibt, ob der Zugriff auf synchronisiert (threadsicher) ist.
+ True, wenn der Zugriff auf die synchronisiert ist; sonst, false.
+
+
+ Ruft ein Objekt ab, mit dem der Zugriff auf synchronisiert werden kann.
+ Ein Objekt, mit dem der Zugriff auf die synchronisiert werden kann.
+
+
+ Fügt am Ende der ein Objekt hinzu.
+ Das hinzugefügte Objekt der Auflistung.
+ Der Wert des Objekts, das der Auflistung hinzugefügt werden soll.
+
+
+ Ermittelt, ob ein bestimmtes Element enthält.
+ True, wenn der ein spezifisches Element enthält; sonst false.
+ Der Wert des Elements.
+
+
+ Sucht das angegebene Objekt und gibt einen null-basierten Index des ersten Auftretens innerhalb der gesamten zurück.
+ Der null-basierte Index des Objekts.
+ Der Wert des Objekts.
+
+
+ Fügt am angegebenen Index ein Element in die ein.
+ Der Index, wo das Element eingefügt wird.
+ Der Wert des Elements.
+
+
+ Ruft einen Wert ab, der angibt, ob eine feste Größe hat.
+ True, wenn das eine feste Größe hat; sonst false.
+
+
+ Ruft einen Wert ab, der angibt, ob das schreibgeschützt ist.
+ True, wenn das schreibgeschützt ist, andernfalls false.
+
+
+ Ruft das Element am angegebenen Index ab oder legt dieses fest.
+ Das Element am angegebenen Index.
+ Der Index des Elements.
+
+
+ Entfernt das erste Vorkommen eines angegebenen Objekts aus der .
+ Der Wert des Objekts, das entfernt wurde.
+
+
+ Gibt an, dass ein spezieller Klassenmember als Array von XML-Elementen serialisieren muss.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den in der XML-Dokumentinstanz generierten XML-Elementnamen an.
+ Der Name des von generierten XML-Elements.
+
+
+ Ruft den für das serialisierte Array angegebenen XML-Elementnamen ab oder legt diesen fest.
+ Der XML-Elementname des serialisierten Arrays.Der Standardname ist der Name des Members, dem zugewiesen ist.
+
+
+ Ruft einen Wert ab, der angibt, ob der von generierte XML-Elementname gekennzeichnet oder nicht gekennzeichnet ist, oder legt diesen fest.
+ Einer der -Werte.Die Standardeinstellung ist XmlSchemaForm.None.
+
+
+ Ruft einen Wert ab, der angibt, ob einen Member als leeres XML-Tag, bei dem das xsi:nil-Attribut auf true festgelegt ist, serialisieren muss, oder legt diesen fest.
+ true, wenn das xsi:nil-Attribut generiert, andernfalls false.
+
+
+ Ruft den Namespace des XML-Elements ab oder legt diesen fest.
+ Der Namespace des XML-Elements.
+
+
+ Ruft die explizite Reihenfolge ab, in der die Elemente serialisiert oder deserialisiert werden, oder legt diese fest.
+ Die Reihenfolge der Codegenerierung.
+
+
+ Stellt ein Attribut dar, das die abgeleiteten Typen angibt, welche der in ein serialisiertes Array einfügen kann.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den Namen des im XML-Dokument generierten XML-Elements an.
+ Der Name des XML-Elements.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den Namen des im XML-Dokument generierten XML-Elements sowie den an, der in das generierte XML-Dokument eingefügt werden kann.
+ Der Name des XML-Elements.
+ Der des zu serialisierenden Objekts.
+
+
+ Initialisiert eine Instanz der -Klasse und gibt den an, der in das serialisierte Array eingefügt werden kann.
+ Der des zu serialisierenden Objekts.
+
+
+ Ruft den XML-Datentyp des generierten XML-Elements ab oder legt diesen fest.
+ Ein Datentyp für die XML-Schemadefinition (XSD) laut Definition im Dokument "XML Schema Part 2: DataTypes" des World Wide Web Consortium (www.w3.org ).
+
+
+ Ruft den Namen des generierten XML-Elements ab oder legt diesen fest.
+ Der Name des generierten XML-Elements.Der Standardwert ist der Memberbezeichner.
+
+
+ Ruft einen Wert ab, der angibt, ob der Name des generierten XML-Elements gekennzeichnet ist, oder legt diesen fest.
+ Einer der -Werte.Die Standardeinstellung ist XmlSchemaForm.None.
+ Die -Eigenschaft wird auf XmlSchemaForm.Unqualified festgelegt, und es wird ein -Wert angegeben.
+
+
+ Ruft einen Wert ab, der angibt, ob einen Member als leeres XML-Tag, bei dem das xsi:nil-Attribut auf true festgelegt ist, serialisieren muss, oder legt diesen fest.
+ true, wenn das xsi:nil-Attribut generiert, andernfalls false, und es wird keine Instanz generiert.Die Standardeinstellung ist true.
+
+
+ Ruft den Namespace des generierten XML-Elements ab oder legt diesen fest.
+ Der Namespace des generierten XML-Elements.
+
+
+ Ruft die Ebene in einer Hierarchie von XML-Elementen ab, auf die das angewendet wird, oder legt diese fest.
+ Der nullbasierte Index einer Reihe von Indizes in einem Array von Arrays.
+
+
+ Ruft den in einem Array zulässigen Typ ab oder legt diesen fest.
+ Ein , der in dem Array zulässig ist.
+
+
+ Stellt eine Auflistung von -Objekten dar.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Fügt der Auflistung ein hinzu.
+ Der Index des hinzugefügten Elements.
+ Das , das der Auflistung hinzugefügt werden soll.
+
+
+ Entfernt alle Elemente aus der .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Gibt an, ob die Auflistung das angegebene enthält.
+ true, wenn die Auflistung die angegebene enthält, andernfalls false.
+ Der zu überprüfende .
+
+
+ Kopiert ein -Array in die Auflistung, beginnend am angegebenen Zielindex.
+ Das Array von -Objekten, die in die Auflistung kopiert werden sollen.
+ Der Index, ab dem mit dem Kopieren der Attribute begonnen wird.
+
+
+ Ruft die Anzahl der Elemente ab, die in enthalten sind.
+ Die Anzahl der Elemente, die in enthalten sind.
+
+
+ Gibt einen Enumerator für die gesamte zurück.
+ Ein für das gesamte .
+
+
+ Gibt einen null-basierten Index des ersten Auftretens der angegebenen in der Auflistung zurück oder -1, wenn das Attribut in der Auflistung nicht gefunden wird.
+ Der erste Index des in der Auflistung, oder -1, wenn das Attribut in der Auflistung nicht gefunden wurde.
+ Die , die in der Auflistung gesucht werden soll.
+
+
+ Fügt einen am angegebenen Index in die Auflistung ein.
+ Der Index, an dem das Attribut eingefügt wird.
+ Das einzufügende .
+
+
+ Ruft das Element am angegebenen Index ab oder legt dieses fest.
+ Der am angegebenen Index.
+ Der nullbasierte Index des Auflistungsmembers, der abgerufen oder festgelegt werden soll.
+
+
+ Entfernt ein aus der Auflistung, sofern vorhanden.
+ Das zu entfernende .
+
+
+ Entfernt das -Element am angegebenen Index.
+ Der nullbasierte Index des zu entfernenden Elements.
+
+ ist kein gültiger Index in der .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Kopiert die gesamte in ein kompatibles eindimensionales , beginnend am angegebenen Index des Zielarrays.
+ Das eindimensionale , das das Ziel der aus der kopierten Elemente ist.Für das muss eine nullbasierte Indizierung verwendet werden.
+
+
+ Ruft einen Wert ab, der angibt, ob der Zugriff auf synchronisiert (threadsicher) ist.
+ true, wenn der Zugriff auf das synchronisiert (threadsicher) ist, andernfalls false.
+
+
+
+ Fügt am Ende der ein Objekt hinzu.
+ Der -Index, an dem hinzugefügt wurde.
+ Der , der am Ende der hinzugefügt werden soll.Der Wert kann null sein.
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Gibt an, ob die Auflistung das angegebene enthält.
+ true, wenn die Auflistung die angegebene enthält, andernfalls false.
+
+
+ Gibt einen null-basierten Index des ersten Auftretens der angegebenen in der Auflistung zurück oder -1, wenn das Attribut in der Auflistung nicht gefunden wird.
+ Der erste Index des in der Auflistung, oder -1, wenn das Attribut in der Auflistung nicht gefunden wurde.
+
+
+ Fügt am angegebenen Index ein Element in die ein.
+ Der nullbasierte Index, an dem eingefügt werden soll.
+ Die einzufügende .Der Wert kann null sein.
+
+ ist kleiner als 0.– oder – ist größer als .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Ruft einen Wert ab, der angibt, ob eine feste Größe hat.
+ true, wenn eine feste Größe hat, andernfalls false.
+
+
+ Ruft einen Wert ab, der angibt, ob das schreibgeschützt ist.
+ true, wenn das schreibgeschützt ist, andernfalls false.
+
+
+ Ruft das Element am angegebenen Index ab oder legt dieses fest.
+ Der am angegebenen Index.
+ Der nullbasierte Index des Auflistungsmembers, der abgerufen oder festgelegt werden soll.
+
+
+ Entfernt das erste Vorkommen eines angegebenen Objekts aus der .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Gibt an, dass den Klassenmember als XML-Attribut serialisieren muss.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den Namen des generierten XML-Attributs an.
+ Der Name des von generierten XML-Attributs.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+ Der Name des generierten XML-Attributs.
+ Der zum Speichern des Attributs verwendete .
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+ Der zum Speichern des Attributs verwendete .
+
+
+ Ruft den Namen des XML-Attributs ab oder legt diesen fest.
+ Der Name des XML-Attributs.Der Standardwert ist der Membername.
+
+
+ Ruft den XSD-Datentyp des vom generierten XML-Attributs ab oder legt diesen fest.
+ Ein XSD (XML Schema Document)-Datentyp laut Definition im Dokument "XML Schema: DataTypes" des World Wide Web Consortium (www.w3.org ).
+
+
+ Ruft einen Wert ab, der angibt, ob der von generierte XML-Attributname gekennzeichnet ist, oder legt diesen fest.
+ Einer der -Werte.Die Standardeinstellung ist XmlForm.None.
+
+
+ Ruft den XML-Namespace des XML-Attributs ab oder legt diesen fest.
+ Der XML-Namespace des XML-Attributs.
+
+
+ Ruft den komplexen Typ des XML-Attributs ab oder legt diesen fest.
+ Der Typ des XML-Attributs.
+
+
+ Ermöglicht das Überschreiben der Attribute von Eigenschaften, Feldern und Klassen beim Serialisieren oder Deserialisieren eines Objekts mit .
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Fügt der Auflistung von -Objekten ein -Objekt hinzu.Der -Parameter gibt ein Objekt an, das überschrieben werden soll.Der -Parameter gibt den Namen des zu überschreibenden Members an.
+ Der des zu überschreibenden Objekts.
+ Der Name des zu überschreibenden Members.
+ Ein -Objekt, das die überschreibenden Attribute darstellt.
+
+
+ Fügt der Auflistung von -Objekten ein -Objekt hinzu.Der -Parameter gibt ein Objekt an, das vom -Objekt überschrieben werden soll.
+ Der des Objekts, das überschrieben wird.
+ Ein -Objekt, das die überschreibenden Attribute darstellt.
+
+
+ Ruft das dem angegebenen Basisklassentyp zugeordnete Objekt ab.
+ Ein , das die Auflistung der überschreibenden Attribute darstellt.
+ Die -Basisklasse, die der Auflistung der abzurufenden Attribute zugeordnet ist.
+
+
+ Ruft das dem angegebenen (Basisklassen-)Typ zugeordnete Objekt ab.Durch den member-Parameter wird der zu überschreibende Member der Basisklasse angegeben.
+ Ein , das die Auflistung der überschreibenden Attribute darstellt.
+ Die -Basisklasse, die der Auflistung der gewünschten Attribute zugeordnet ist.
+ Der Name des überschriebenen Member, der das zurückzugebende angibt.
+
+
+ Stellt eine Auflistung von Attributobjekten dar, die steuern, wie der Objekte serialisiert und deserialisiert.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Ruft das zu überschreibende ab oder legt dieses fest.
+ Das zu überschreibende .
+
+
+ Ruft die Auflistung der zu überschreibenden -Objekte ab.
+ Das , das die Auflistung der -Objekte darstellt.
+
+
+ Ruft ein Objekt ab, das angibt, wie ein öffentliches Feld oder eine Lese-/Schreibeigenschaft serialisiert, die ein Array zurückgibt, oder legt dieses fest.
+ Ein , das angibt, wie ein öffentliches Feld oder eine Lese-/Schreibeigenschaft serialisiert, die ein Array zurückgibt.
+
+
+ Ruft eine Auflistung von Objekten ab, die die von verwendete Serialisierung von Elementen angeben, die in ein von öffentlichen Feldern oder Lese-/Schreibeigenschaften zurückgegebenes Array eingefügt wurden, oder legt diese fest.
+ Ein -Objekt, das eine Auflistung von -Objekten enthält.
+
+
+ Ruft ein Objekt ab, das angibt, wie ein öffentliches Feld oder eine öffentliche Lese-/Schreibeigenschaft als XML-Attribut serialisiert, oder legt dieses fest.
+ Ein , das die Serialisierung eines öffentlichen Felds oder einer Lese-/Schreibeigenschaft als XML-Attribut steuert.
+
+
+ Ruft ein Objekt ab, mit dem Sie eine Reihe von Auswahlmöglichkeiten unterscheiden können, oder legt dieses fest.
+ Ein , das auf einen Klassenmember angewendet werden kann, der als xsi:choice-Element serialisiert wird.
+
+
+ Ruft den Standardwert eines XML-Elements oder -Attributs ab oder legt diesen fest.
+ Ein , das den Standardwert eines XML-Elements oder -Attributs darstellt.
+
+
+ Ruft eine Auflistung von Objekten ab, die angeben, wie öffentliche Felder oder Lese-/Schreibeigenschaften von als XML-Elemente serialisiert werden, oder legt diese fest.
+ Ein , das eine Auflistung von -Objekten enthält.
+
+
+ Ruft ein Objekt ab, das angibt, wie einen Enumerationsmember serialisiert, oder legt dieses fest.
+ Ein , das angibt, auf welche Weise ein Enumerationsmember von serialisiert wird.
+
+
+ Ruft einen Wert ab, der angibt, ob ein öffentliches Feld oder eine öffentliche Lese-/Schreibeigenschaft serialisiert, oder legt diesen fest.
+ true, wenn das Feld oder die Eigenschaft nicht serialisieren soll, andernfalls false.
+
+
+ Ruft einen Wert ab, der angibt, ob alle Namespacedeklarationen beibehalten werden sollen, wenn ein Objekt überschrieben wird, das einen Member enthält, der ein -Objekt zurückgibt, oder legt diesen fest.
+ true, wenn die Namespacedeklarationen beibehalten werden sollen, andernfalls false.
+
+
+ Ruft ein Objekt ab, das angibt, wie eine Klasse als XML-Stammelement serialisiert, oder legt dieses fest.
+ Ein , das eine Klasse überschreibt, die als XML-Stammelement attributiert ist.
+
+
+ Ruft ein Objekt ab, mit dem angewiesen wird, ein öffentliches Feld oder eine öffentliche Lese-/Schreibeigenschaft als XML-Text zu serialisieren, oder legt dieses fest.
+ Ein , das die Standardserialisierung öffentlicher Eigenschaften oder Felder überschreibt.
+
+
+ Ruft ein Objekt ab, das angibt, wie eine Klasse serialisiert, der das zugewiesen wurde, oder legt dieses fest.
+ Ein , das ein überschreibt, das einer Klassendeklaration zugewiesen wurde.
+
+
+ Gibt an, dass der Member durch Verwenden einer Enumeration eindeutig bestimmt werden kann.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+ Der Membername, der die Enumeration zurückgibt, mit der eine Auswahl bestimmt wird.
+
+
+ Ruft den Namen des Felds ab, das die Enumeration zurückgibt, mit der Typen bestimmt werden, oder legt diesen fest.
+ Der Name eines Felds, das eine Enumeration zurückgibt.
+
+
+ Gibt an, dass ein öffentliches Feld oder eine öffentliche Eigenschaft beim Serialisieren bzw. Deserialisieren des Objekts, in dem diese enthalten sind, durch ein XML-Element darstellt.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den Namen des XML-Elements an.
+ Der XML-Elementname des serialisierten Members.
+
+
+ Initialisiert eine neue Instanz von , und gibt den Namen des XML-Elements und einen abgeleiteten Typ für den Member an, auf den das angewendet wird.Dieser Membertyp wird verwendet, wenn der das Objekt serialisiert, in dem es enthalten ist.
+ Der XML-Elementname des serialisierten Members.
+ Der eines Objekts, das vom Typ des Members abgeleitet ist.
+
+
+ Initialisiert eine neues Instanz der -Klasse und gibt einen Typ für den Member an, auf den das angewendet wird.Dieser Typ wird vom verwendet, wenn das Objekt serialisiert oder deserialisiert wird, in dem es enthalten ist.
+ Der eines Objekts, das vom Typ des Members abgeleitet ist.
+
+
+ Ruft den XSD (XML Schema Definition)-Datentyp des vom generierten XML-Elements ab oder legt diesen fest.
+ Ein XML-Schemadatentyp laut Definition im Dokument "XML Schema Part 2: Datatypes" des World Wide Web Consortium (www.w3.org ).
+ Der angegebene XML-Schemadatentyp kann dem .NET-Datentyp nicht zugeordnet werden.
+
+
+ Ruft den Namen des generierten XML-Elements ab oder legt diesen fest.
+ Der Name des generierten XML-Elements.Der Standardwert ist der Memberbezeichner.
+
+
+ Ruft einen Wert ab, der angibt, ob das Element qualifiziert ist.
+ Einer der -Werte.Die Standardeinstellung ist .
+
+
+ Ruft einen Wert ab, der angibt, ob einen Member, der auf null festgelegt ist, als leeres Tag, dessen xsi:nil-Attribut auf true festgelegt ist, serialisieren muss, oder legt diesen fest.
+ true, wenn das xsi:nil-Attribut generiert, andernfalls false.
+
+
+ Ruft den Namespace ab, der dem XML-Element zugeordnet ist, das aus dem Serialisieren der Klasse resultiert, oder legt diesen fest.
+ Der Namespace des XML-Elements.
+
+
+ Ruft die explizite Reihenfolge ab, in der die Elemente serialisiert oder deserialisiert werden, oder legt diese fest.
+ Die Reihenfolge der Codegenerierung.
+
+
+ Ruft den Objekttyp ab, mit dem das XML-Element dargestellt wird, oder legt diesen fest.
+ Der des Members.
+
+
+ Stellt eine Auflistung von -Objekten dar, die vom zum Überschreiben des Standardverfahrens für die Serialisierung einer Klasse verwendet wird.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Fügt der Auflistung ein hinzu.
+ Der nullbasierte Index des neu hinzugefügten Elements.
+ Die zu addierende .
+
+
+ Entfernt alle Elemente aus der .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Ermittelt, ob die Auflistung das angegebene Objekt enthält.
+ true, wenn das Objekt in der Aufzählung vorhanden ist; sonst false.
+ Das zu suchende -Element.
+
+
+ Kopiert das oder einen Teil davon in ein eindimensionales Array.
+ Das -Array, welches die kopierten Elemente enthält.
+ Der nullbasierte Index im , bei dem der Kopiervorgang beginnt.
+
+
+ Ruft die Anzahl der Elemente ab, die in enthalten sind.
+ Die Anzahl der Elemente, die in enthalten sind.
+
+
+ Gibt einen Enumerator für die gesamte zurück.
+ Ein für das gesamte .
+
+
+ Ruft den Index der angegebenen ab.
+ Der nullbasierte Index von .
+ Die dessen Index abgerufen wird.
+
+
+ Fügt ein in die Auflistung ein.
+ Der null-basierte Index, wo der Member eingefügt wurde.
+ Die einzufügende .
+
+
+ Ruft das Element am angegebenen Index ab oder legt dieses fest.
+ Das Element am angegebenen Index.
+ Der nullbasierte Index des Elements, das abgerufen oder festgelegt werden soll.
+
+ ist kein gültiger Index in der .
+ Die Eigenschaft wird festgelegt, und die ist schreibgeschützt.
+
+
+ Entfernt das angegebene Objekt aus der Auflistung.
+ Das aus der Auflistung zu entfernende .
+
+
+ Entfernt das -Element am angegebenen Index.
+ Der nullbasierte Index des zu entfernenden Elements.
+
+ ist kein gültiger Index in der .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Kopiert die gesamte in ein kompatibles eindimensionales , beginnend am angegebenen Index des Zielarrays.
+ Das eindimensionale , das das Ziel der aus der kopierten Elemente ist.Für das muss eine nullbasierte Indizierung verwendet werden.
+
+
+ Ruft einen Wert ab, der angibt, ob der Zugriff auf synchronisiert (threadsicher) ist.
+ true, wenn der Zugriff auf das synchronisiert (threadsicher) ist, andernfalls false.
+
+
+ Ruft ein Objekt ab, mit dem der Zugriff auf synchronisiert werden kann.
+ Ein Objekt, mit dem der Zugriff auf die synchronisiert werden kann.
+
+
+ Fügt am Ende der ein Objekt hinzu.
+ Der -Index, an dem hinzugefügt wurde.
+ Der , der am Ende der hinzugefügt werden soll.Der Wert kann null sein.
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Ermittelt, ob die einen bestimmten Wert enthält.
+ true, wenn in gefunden wird, andernfalls false.
+ Das im zu suchende Objekt.
+
+
+ Bestimmt den Index eines bestimmten Elements in der .
+ Der Index von , wenn das Element in der Liste gefunden wird, andernfalls -1.
+ Das im zu suchende Objekt.
+
+
+ Fügt am angegebenen Index ein Element in die ein.
+ Der nullbasierte Index, an dem eingefügt werden soll.
+ Die einzufügende .Der Wert kann null sein.
+
+ ist kleiner als 0.– oder – ist größer als .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Ruft einen Wert ab, der angibt, ob eine feste Größe hat.
+ true, wenn eine feste Größe hat, andernfalls false.
+
+
+ Ruft einen Wert ab, der angibt, ob das schreibgeschützt ist.
+ true, wenn das schreibgeschützt ist, andernfalls false.
+
+
+ Ruft das Element am angegebenen Index ab oder legt dieses fest.
+ Das Element am angegebenen Index.
+ Der nullbasierte Index des Elements, das abgerufen oder festgelegt werden soll.
+
+ ist kein gültiger Index in der .
+ Die Eigenschaft wird festgelegt, und die ist schreibgeschützt.
+
+
+ Entfernt das erste Vorkommen eines angegebenen Objekts aus der .
+
+ ist schreibgeschützt.– oder – hat eine feste Größe.
+
+
+ Steuert die Art, in der einen Enumerationsmember serialisiert.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse, und gibt den XML-Wert an, der von beim Serialisieren der Enumeration generiert bzw. beim Deserialisieren erkannt wird.
+ Der überschreibende Name des Enumerationsmember.
+
+
+ Ruft den Wert ab, der bei der Serialisierung einer Enumeration durch in einer XML-Dokumentinstanz generiert wurde bzw. bei der Deserialisierung eines Enumerationsmembers erkannt wurde, oder legt diesen fest.
+ Der Wert, der bei der Serialisierung einer Enumeration durch in einer XML-Dokumentinstanz generiert bzw. bei der Deserialisierung eines Enumerationsmembers erkannt wurde.
+
+
+ Weist die -Methode von an, den Eigenschaftswert des öffentlichen Felds oder des öffentlichen Lese-/Schreibzugriffs nicht zu serialisieren.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Ermöglicht dem das Erkennen eines Typs beim Serialisieren oder Deserialisieren eines Objekts.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+ Der des aufzunehmenden Objekts.
+
+
+ Ruft den Typ des aufzunehmenden Objekts ab oder legt diesen fest.
+ Der des aufzunehmenden Objekts.
+
+
+ Gibt an, dass Zieleigenschaft, Zielparameter, Zielrückgabewert oder Zielklassenmember Präfixe enthalten, die den innerhalb eines XML-Dokuments verwendeten Namespaces zugeordnet werden.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Steuert die XML-Serialisierung des Attributziels als XML-Stammelement.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den Namen des XML-Stammelements an.
+ Der Name des XML-Stammelements.
+
+
+ Ruft den XSD-Datentyp des XML-Stammelements ab oder legt diesen fest.
+ Ein XSD (XML Schema Document)-Datentyp laut Definition im Dokument "XML Schema: DataTypes" des World Wide Web Consortium (www.w3.org ).
+
+
+ Ruft den Namen des von der -Methode bzw. der -Methode der -Klasse generierten bzw. erkannten XML-Elements ab, oder legt diesen fest.
+ Der Name des für eine XML-Dokumentinstanz generierten und erkannten XML-Stammelements.Der Standardwert ist der Name der serialisierten Klasse.
+
+
+ Ruft einen Wert ab, der angibt, ob einen auf null festgelegten Member in das auf true festgelegte xsi:nil-Attribut serialisieren muss, oder legt diesen fest.
+ true, wenn das xsi:nil-Attribut generiert, andernfalls false.
+
+
+ Ruft den Namespace des XML-Stammelements ab oder legt diesen fest.
+ Der Namespace des XML-Elements.
+
+
+ Serialisiert und deserialisiert Objekte in und aus XML-Dokumenten.Mit können Sie steuern, wie Objekte in XML codiert werden.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse, die Objekte des angegebenen Typs in XML-Dokumente serialisieren und XML-Dokumente in Objekte des angegebenen Typs deserialisieren kann.
+ Der Objekttyp, den dieser serialisieren kann.
+
+
+ Initialisiert eine neue Instanz der -Klasse, die Objekte des angegebenen Typs in XML-Dokumente serialisieren und XML-Dokumente in Objekte des angegebenen Typs deserialisieren kann.Gibt den Standardnamespace für alle XML-Elemente an.
+ Der Objekttyp, den dieser serialisieren kann.
+ Der für alle XML-Elemente zu verwendende Standardnamespace.
+
+
+ Initialisiert eine neue Instanz der -Klasse, die Objekte des angegebenen Typs in XML-Dokumente serialisieren und XML-Dokumente in ein Objekt eines angegebenen Typs deserialisieren kann.Wenn eine Eigenschaft oder ein Feld ein Array zurückgibt, werden durch den -Parameter die Objekte angegeben, die in das Array eingefügt werden können.
+ Der Objekttyp, den dieser serialisieren kann.
+ Ein -Array mit zusätzlich zu serialisierenden Objekttypen.
+
+
+ Initialisiert eine neue Instanz der -Klasse, die Objekte des angegebenen Typs in XML-Dokumente serialisieren und XML-Dokumente in Objekte des angegebenen Typs deserialisieren kann.Jedes zu serialisierende Objekt kann selbst Instanzen von Klassen enthalten, die von dieser Überladung durch andere Klassen überschrieben werden können.
+ Der Typ des zu serialisierenden Objekts.
+ Ein .
+
+
+ Initialisiert eine neue Instanz der -Klasse, die Objekte vom Typ in Instanzen eines XML-Dokuments serialisieren und Instanzen eines XML-Dokuments in Objekte vom Typ deserialisieren kann.Jedes zu serialisierende Objekt kann selbst Instanzen von Klassen enthalten, die von dieser Überladung durch andere Klassen überschrieben werden können.Diese Überladung gibt außerdem den Standardnamespace für alle XML-Elemente sowie die als XML-Stammelement zu verwendende Klasse an.
+ Der Objekttyp, den dieser serialisieren kann.
+ Ein , das das Verhalten der im -Parameter festgelegten Klasse erweitert oder überschreibt.
+ Ein -Array mit zusätzlich zu serialisierenden Objekttypen.
+ Ein , das die Eigenschaften des XML-Stammelements definiert.
+ Der Standardnamespace aller XML-Elemente im XML-Dokument.
+
+
+ Initialisiert eine neue Instanz der -Klasse, die Objekte des angegebenen Typs in XML-Dokumente serialisieren und ein XML-Dokument in ein Objekt des angegebenen Typs deserialisieren kann.Außerdem wird die als XML-Stammelement zu verwendende Klasse angegeben.
+ Der Objekttyp, den dieser serialisieren kann.
+ Ein , das das XML-Stammelement darstellt.
+
+
+ Ruft einen Wert ab, der angibt, ob dieser ein angegebenes XML-Dokument deserialisieren kann.
+ true, wenn dieser das Objekt deserialisieren kann, auf das zeigt, andernfalls false.
+ Ein , der auf das zu deserialisierende Dokument zeigt.
+
+
+ Deserialisiert das im angegebenen enthaltene XML-Dokument.
+ Das , das deserialisiert wird.
+ Der mit dem zu deserialisierenden XML-Dokument.
+
+
+ Deserialisiert das im angegebenen enthaltene XML-Dokument.
+ Das , das deserialisiert wird.
+ Der mit dem zu deserialisierenden XML-Dokument.
+ Bei der Deserialisierung ist ein Fehler aufgetreten.Die ursprüngliche Ausnahme ist mithilfe der -Eigenschaft verfügbar.
+
+
+ Deserialisiert das im angegebenen enthaltene XML-Dokument.
+ Das , das deserialisiert wird.
+ Der mit dem zu deserialisierenden XML-Dokument.
+ Bei der Deserialisierung ist ein Fehler aufgetreten.Die ursprüngliche Ausnahme ist mithilfe der -Eigenschaft verfügbar.
+
+
+ Gibt ein Array von -Objekten zurück, das aus einem Array von Typen erstellt wurde.
+ Ein Array von -Objekten.
+ Ein Array von -Objekten.
+
+
+ Serialisiert das angegebene und schreibt das XML-Dokument über den angegebenen in eine Datei.
+ Der zum Schreiben des XML-Dokuments verwendete .
+ Das zu serialisierende .
+ Bei der Serialisierung ist ein Fehler aufgetreten.Die ursprüngliche Ausnahme ist mithilfe der -Eigenschaft verfügbar.
+
+
+ Serialisiert das angegebene und schreibt das XML-Dokument unter Verwendung des angegebenen in eine Datei, wobei auf die angegebenen Namespaces verwiesen wird.
+ Der zum Schreiben des XML-Dokuments verwendete .
+ Das zu serialisierende .
+ Die , auf die das Objekt verweist.
+ Bei der Serialisierung ist ein Fehler aufgetreten.Die ursprüngliche Ausnahme ist mithilfe der -Eigenschaft verfügbar.
+
+
+ Serialisiert das angegebene und schreibt das XML-Dokument über den angegebenen in eine Datei.
+ Der zum Schreiben des XML-Dokuments verwendete .
+ Das zu serialisierende .
+
+
+ Serialisiert das angegebene und schreibt das XML-Dokument unter Verwendung des angegebenen in eine Datei, wobei auf die angegebenen Namespaces verwiesen wird.
+ Der zum Schreiben des XML-Dokuments verwendete .
+ Das zu serialisierende .
+ Das , das die Namespaces für das generierte XML-Dokument enthält.
+ Bei der Serialisierung ist ein Fehler aufgetreten.Die ursprüngliche Ausnahme ist mithilfe der -Eigenschaft verfügbar.
+
+
+ Serialisiert das angegebene und schreibt das XML-Dokument über den angegebenen in eine Datei.
+ Der zum Schreiben des XML-Dokuments verwendete .
+ Das zu serialisierende .
+ Bei der Serialisierung ist ein Fehler aufgetreten.Die ursprüngliche Ausnahme ist mithilfe der -Eigenschaft verfügbar.
+
+
+ Serialisiert das angegebene und schreibt das XML-Dokument unter Verwendung des angegebenen in eine Datei, wobei auf die angegebenen Namespaces verwiesen wird.
+ Der zum Schreiben des XML-Dokuments verwendete .
+ Das zu serialisierende .
+ Die , auf die das Objekt verweist.
+ Bei der Serialisierung ist ein Fehler aufgetreten.Die ursprüngliche Ausnahme ist mithilfe der -Eigenschaft verfügbar.
+
+
+ Enthält die XML-Namespaces und Präfixe, die von zum Generieren vollständiger Namen in einer XML-Dokumentinstanz verwendet werden.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse unter Verwendung der angegebenen Instanz von XmlSerializerNamespaces mit einer Auflistung von Paaren aus Präfix und Namespace.
+ Eine Instanz des , die die Paare aus Namespace und Präfix enthält.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+ Ein Array von -Objekten.
+
+
+ Fügt einem -Objekt ein Paar aus Präfix und Namespace hinzu.
+ Das einem XML-Namespace zugeordnete Präfix.
+ Ein XML-Namespace.
+
+
+ Ruft die Anzahl der Paare aus Präfix und Namespace in der Auflistung ab.
+ Die Anzahl der Paare aus Präfix und Namespace in der Auflistung.
+
+
+ Ruft das Array von Paaren aus Präfix und Namespace von einem -Objekt ab.
+ Ein Array von -Objekten, die als gekennzeichneter Name in einem XML-Dokument verwendet werden.
+
+
+ Gibt dem an, dass der Member beim Serialisieren oder Deserialisieren der Klasse, in der er enthalten ist, als XML-Text behandelt werden muss.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+ Der des zu serialisierenden Members.
+
+
+ Ruft den XSD (XML Schema Definition)-Datentyp des von generierten Textes ab oder legt diesen fest.
+ Ein Datentyp für das XML (XSD)-Schema laut Definition im Dokument "XML Schema Part 2: Datatypes" des World Wide Web Consortium (www.w3.org ).
+ Der angegebene XML-Schemadatentyp kann dem .NET-Datentyp nicht zugeordnet werden.
+ Der angegebene XML-Schemadatentyp ist für die Eigenschaft nicht zulässig und kann nicht in den Membertyp konvertiert werden.
+
+
+ Ruft den Typ des Members ab oder legt diesen fest.
+ Der des Members.
+
+
+ Steuert das XML-Schema, das generiert wird, wenn das Attributziel vom serialisiert wird.
+
+
+ Initialisiert eine neue Instanz der -Klasse.
+
+
+ Initialisiert eine neue Instanz der -Klasse und gibt den Namen des XML-Typs an.
+ Der Name des XML-Typs, der vom beim Serialisieren einer Klasseninstanz generiert bzw. beim Deserialisieren der Klasseninstanz erkannt wird.
+
+
+ Ruft einen Wert ab, der bestimmt, ob der resultierende Schematyp ein anonymer XSD-Typ ist, oder legt diesen fest.
+ true, wenn der resultierende Schematyp ein anonymer XSD-Typ ist, andernfalls false.
+
+
+ Ruft einen Wert ab, der angibt, ob der Typ in XML-Schemadokumente aufgenommen werden soll, oder legt diesen fest.
+ true, wenn der Typ in XML-Schemadokumente aufgenommen werden soll, andernfalls false.
+
+
+ Ruft den Namespace des XML-Typs ab oder legt diesen fest.
+ Der Namespace des XML-Typs.
+
+
+ Ruft den Namen des XML-Typs ab oder legt diesen fest.
+ Der Name des XML-Typs.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/es/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/es/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..49ad6c0
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/es/System.Xml.XmlSerializer.xml
@@ -0,0 +1,961 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ Especifica que el miembro (un campo que devuelve una matriz de objetos ) puede contener cualquier atributo XML.
+
+
+ Construye una nueva instancia de la clase .
+
+
+ Especifica que el miembro (un campo que devuelve una matriz de objetos o ) contiene objetos que representan los elementos XLM que no tienen un miembro correspondiente en el objeto que se está serializando o deserializando.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase y especifica el nombre del elemento XML generado en el documento XML.
+ Nombre del elemento XML que genera .
+
+
+ Inicializa una nueva instancia de la clase y especifica el nombre del elemento XML generado en el documento XML y su espacio de nombres XML.
+ Nombre del elemento XML que genera .
+ Espacio de nombres XML del elemento XML.
+
+
+ Obtiene o establece el nombre del elemento XML.
+ Nombre del elemento XML.
+ El nombre de elemento de un miembro de la matriz no coincide con el nombre de elemento especificado por la propiedad .
+
+
+ Obtiene o establece el espacio de nombres XML generado en el documento XML.
+ Espacio de nombres XML.
+
+
+ Obtiene o establece el orden explícito en el que los elementos son serializados o deserializados.
+ Orden de la generación de código.
+
+
+ Representa una colección de objetos .
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Agrega un objeto a la colección.
+ Índice del objeto que se acaba de agregar.
+
+ que se va a sumar.
+
+
+ Quita todos los objetos de la colección .Este método no se puede reemplazar.
+
+
+ Obtiene un valor que indica si el especificado existe en la colección.
+ Es true si el objeto existe en la colección; en caso contrario, es false.
+
+ que interesa al usuario.
+
+
+ Copia los objetos de la colección en una matriz unidimensional compatible, empezando por el índice especificado de la matriz de destino.
+ Matriz unidimensional de objetos que constituye el destino de los elementos copiados de la colección.La matriz debe tener una indización de base cero.
+ Índice de base cero de en el que empieza la operación de copia.
+
+
+ Obtiene el número de elementos incluidos en la instancia de .
+ Número de elementos incluidos en la instancia de .
+
+
+ Devuelve un enumerador que recorre en iteración la colección .
+ Un enumerador que itera por la colección .
+
+
+ Obtiene el índice del objeto especificado.
+ Índice del objeto especificado.
+
+ cuyo índice se desea obtener.
+
+
+ Inserta un objeto en el índice especificado de la colección.
+ Índice donde se insertará el objeto .
+
+ que se va a insertar.
+
+
+ Obtiene o establece el objeto en el índice especificado.
+
+ situado en el índice especificado.
+ Índice del objeto .
+
+
+ Quita el especificado de la colección.
+
+ que se va a quitar.
+
+
+ Quita el elemento situado en el índice especificado de .Este método no se puede reemplazar.
+ Índice del elemento que se va a quitar.
+
+
+ Copia los objetos de la colección en una matriz unidimensional compatible, empezando por el índice especificado de la matriz de destino.
+ Matriz unidimensional.
+ Índice especificado.
+
+
+ Obtiene un valor que indica si el acceso a la interfaz está sincronizado (es seguro para subprocesos).
+ Es True si el acceso a está sincronizado; de lo contrario, es false.
+
+
+ Obtiene un objeto que se puede utilizar para sincronizar el acceso a .
+ Objeto que se puede utilizar para sincronizar el acceso a .
+
+
+ Agrega un objeto al final de .
+ Objeto que se agrega a la colección.
+ El valor del objeto que se va a agregar a la colección.
+
+
+ Determina si contiene un elemento específico.
+ Es True si contiene un elemento específico; de lo contrario, es false .
+ Valor del elemento.
+
+
+ Busca el objeto especificado y devuelve el índice de base cero de la primera aparición en toda la colección .
+ El índice de base cero de un objeto.
+ Valor del objeto.
+
+
+ Inserta un elemento en , en el índice especificado.
+ El índice donde el elemento se insertará.
+ Valor del elemento.
+
+
+ Obtiene un valor que indica si la matriz tiene un tamaño fijo.
+ Es True si tiene un tamaño fijo; de lo contrario, es false.
+
+
+ Obtiene un valor que indica si es de sólo lectura.
+ True si la interfaz es de solo lectura; en caso contrario, false.
+
+
+ Obtiene o establece el elemento que se encuentra en el índice especificado.
+ El elemento en el índice especificado.
+ Índice del elemento.
+
+
+ Quita la primera aparición de un objeto específico de la interfaz .
+ Valor del objeto que se ha quitado.
+
+
+ Especifica que debe serializar un miembro de clase determinado como matriz de elementos XML.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase y especifica el nombre del elemento XML generado en la instancia del documento XML.
+ Nombre del elemento XML que genera .
+
+
+ Obtiene o establece el nombre de elemento XML asignado a la matriz serializada.
+ Nombre del elemento XML de la matriz serializada.El valor predeterminado es el nombre del miembro al que se ha asignado .
+
+
+ Obtiene o establece un valor que indica si el nombre del elemento XML generado por el objeto está calificado o no.
+ Uno de los valores de .El valor predeterminado es XmlSchemaForm.None.
+
+
+ Obtiene o establece un valor que indica si debe serializar un miembro como una etiqueta XML vacía con el atributo xsi:nil establecido en true.
+ true si genera el atributo xsi:nil; en caso contrario, false.
+
+
+ Obtiene o establece el espacio de nombres del elemento XML.
+ Espacio de nombres del elemento XML.
+
+
+ Obtiene o establece el orden explícito en el que los elementos son serializados o deserializados.
+ Orden de la generación de código.
+
+
+ Representa un atributo que especifica los tipos derivados que puede colocar en una matriz serializada.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una instancia nueva de la clase y especifica el nombre del elemento XML generado en el documento XML.
+ Nombre del elemento XML.
+
+
+ Inicializa una instancia nueva de la clase y especifica el nombre del elemento XML generado en el documento XML, así como el que puede insertarse en el documento XML generado.
+ Nombre del elemento XML.
+
+ del objeto que se va a serializar.
+
+
+ Inicializa una instancia nueva de la clase y especifica el que puede insertarse en la matriz serializada.
+
+ del objeto que se va a serializar.
+
+
+ Obtiene o establece el tipo de datos XML del elemento XML generado.
+ Tipo de datos de definición de esquemas XML (XSD), tal como se define en el documento "XML Schema Part 2: Datatypes" del Consorcio WWC (www.w3.org).
+
+
+ Obtiene o establece el nombre del elemento XML generado.
+ Nombre del elemento XML generado.El valor predeterminado es el identificador de miembros.
+
+
+ Obtiene o establece un valor que indica si el nombre del elemento XML generado está calificado.
+ Uno de los valores de .El valor predeterminado es XmlSchemaForm.None.
+ La propiedad se establece en XmlSchemaForm.Unqualified y se especifica un valor para la propiedad .
+
+
+ Obtiene o establece un valor que indica si debe serializar un miembro como una etiqueta XML vacía con el atributo xsi:nil establecido en true.
+ Es true si genera el atributo xsi:nil; en caso contrario, es false y no se genera ninguna instancia.El valor predeterminado es true.
+
+
+ Obtiene o establece el espacio de nombres del elemento XML generado.
+ Espacio de nombres del elemento XML generado.
+
+
+ Obtiene o establece el nivel en una jerarquía de elementos XML a los que afecta .
+ Índice de base cero de un conjunto de índices en una matriz de matrices.
+
+
+ Obtiene o establece el tipo permitido en una matriz.
+
+ permitido en la matriz.
+
+
+ Representa una colección de objetos .
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Agrega un objeto a la colección.
+ Índice del elemento que se ha agregado.
+ Objeto que se va a agregar a la colección.
+
+
+ Quita todos los elementos de .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Determina si la colección contiene el objeto especificado.
+ true si la colección contiene el objeto especificado; en caso contrario, false.
+
+ que se va a comprobar.
+
+
+ Copia una matriz a la colección, comenzando por el índice de destino especificado.
+ Matriz de objetos que se copiará en la colección.
+ Índice por el que empiezan los atributos copiados.
+
+
+ Obtiene el número de elementos incluidos en .
+ Número de elementos incluidos en .
+
+
+ Devuelve un enumerador para la completa.
+ Interfaz para toda la colección .
+
+
+ Devuelve el índice de base cero de la primera aparición del especificado en la colección o -1 si el atributo no se encuentra en la colección.
+ El primer índice de en la colección o -1 si el atributo no se encuentra en la colección.
+
+ que se va a buscar en la colección.
+
+
+ Inserta un objeto en el índice especificado de la colección.
+ Índice en el que se inserta el atributo.
+
+ que se va a insertar.
+
+
+ Obtiene o establece el elemento en el índice especificado.
+
+ en el índice especificado.
+ Índice de base cero del miembro de la colección que se va a obtener o establecer.
+
+
+ Quita de la colección, en caso de que esté presente.
+
+ que se va a quitar.
+
+
+ Quita el elemento de la interfaz que se encuentra en el índice especificado.
+ Índice de base cero del elemento que se va a quitar.
+
+ no es un índice válido para .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Copia la totalidad de en una matriz unidimensional compatible, comenzando en el índice especificado de la matriz de destino.
+
+ unidimensional que constituye el destino de los elementos copiados de . debe tener una indización de base cero.
+
+
+ Obtiene un valor que indica si el acceso a la interfaz está sincronizado (es seguro para subprocesos).
+ Es true si el acceso a está sincronizado (es seguro para subprocesos); de lo contrario, es false.
+
+
+
+ Agrega un objeto al final de .
+ El índice de en el que se ha agregado .
+ Objeto que se va a agregar al final de la colección .El valor puede ser null.
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Determina si la colección contiene el objeto especificado.
+ true si la colección contiene el objeto especificado; en caso contrario, false.
+
+
+ Devuelve el índice de base cero de la primera aparición del especificado en la colección o -1 si el atributo no se encuentra en la colección.
+ El primer índice de en la colección o -1 si el atributo no se encuentra en la colección.
+
+
+ Inserta un elemento en , en el índice especificado.
+ Índice basado en cero en el que debe insertarse .
+
+ que se va a insertar.El valor puede ser null.
+
+ es menor que cero.O bien es mayor que .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Obtiene un valor que indica si la interfaz tiene un tamaño fijo.
+ Es true si la interfaz tiene un tamaño fijo; de lo contrario, es false.
+
+
+ Obtiene un valor que indica si es de sólo lectura.
+ true si la interfaz es de solo lectura; en caso contrario, false.
+
+
+ Obtiene o establece el elemento en el índice especificado.
+
+ en el índice especificado.
+ Índice de base cero del miembro de la colección que se va a obtener o establecer.
+
+
+ Quita la primera aparición de un objeto específico de la interfaz .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Especifica que debe serializar el miembro de la clase como un atributo XML.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase y especifica el nombre del atributo XML generado.
+ Nombre del atributo XML que genera .
+
+
+ Inicializa una nueva instancia de la clase .
+ Nombre del atributo XML que se genera.
+
+ utilizado para almacenar el atributo.
+
+
+ Inicializa una nueva instancia de la clase .
+
+ utilizado para almacenar el atributo.
+
+
+ Obtiene o establece el nombre del atributo XML.
+ Nombre del atributo XML.El valor predeterminado es el nombre del miembro.
+
+
+ Obtiene o establece el tipo de datos XSD del atributo XML generado por .
+ Tipo de datos de XSD (documento de esquemas XML), tal como se define en el documento "XML Schema: DataTypes" del Consorcio WWC (www.w3.org).
+
+
+ Obtiene o establece un valor que indica si está calificado el nombre del atributo XML generado por .
+ Uno de los valores de .El valor predeterminado es XmlForm.None.
+
+
+ Obtiene o establece el espacio de nombres XML del atributo XML.
+ Espacio de nombres XML del atributo XML.
+
+
+ Obtiene o establece el tipo complejo del atributo XML.
+ Tipo del atributo XML.
+
+
+ Permite reemplazar los atributos de las propiedades, campos y clases al utilizar para serializar o deserializar un objeto.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Agrega un objeto a la colección de objetos .El parámetro especifica un objeto que se va a reemplazar.El parámetro especifica el nombre de un miembro que se va a reemplazar.
+
+ del objeto que se va a reemplazar.
+ Nombre del miembro que se va a reemplazar.
+ Objeto que representa los atributos reemplazados.
+
+
+ Agrega un objeto a la colección de objetos .El parámetro especifica un objeto que va a ser reemplazado por el objeto .
+ Tipo del objeto que se va a reemplazar.
+ Objeto que representa los atributos reemplazados.
+
+
+ Obtiene el objeto asociado al tipo de clase base especificado.
+
+ que representa la colección de atributos de reemplazo.
+ Tipo de la clase base que está asociado a la colección de atributos que se desea recuperar.
+
+
+ Obtiene el objeto asociado al tipo (de clase base) especificado.El parámetro de miembro especifica el miembro de clase base que se reemplaza.
+
+ que representa la colección de atributos de reemplazo.
+ Tipo de la clase base que está asociado a la colección de atributos que se desea.
+ Nombre del miembro reemplazado que especifica el objeto que se va a devolver.
+
+
+ Representa una colección de objetos de atributo que controlan el modo en que serializa y deserializa un objeto.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Obtiene o establece el que se va a reemplazar.
+
+ que se va a reemplazar.
+
+
+ Obtiene la colección de objetos que se va a reemplazar.
+ Objeto que representa la colección de objetos .
+
+
+ Obtiene o establece un objeto que especifica el modo en que serializa un campo público o una propiedad pública de lectura/escritura que devuelve una matriz.
+
+ que especifica el modo en que serializa un campo público o una propiedad pública de lectura/escritura que devuelve una matriz.
+
+
+ Obtiene o establece una colección de objetos que especifica el modo en que serializa los elementos insertados en una matriz devuelta por un campo público o una propiedad pública de lectura/escritura.
+ Objeto que contiene una colección de objetos .
+
+
+ Obtiene o establece un objeto que especifica el modo en que serializa un campo público o una propiedad pública de lectura/escritura como atributo XML.
+
+ que controla la serialización de un campo público o una propiedad pública de lectura/escritura como atributo XML.
+
+
+ Obtiene o establece un objeto que permite distinguir entre varias opciones.
+
+ que se puede aplicar a un miembro de clase serializado como un elemento xsi:choice.
+
+
+ Obtiene o establece el valor predeterminado de un elemento o atributo XML.
+
+ que representa el valor predeterminado de un elemento o atributo XML.
+
+
+ Obtiene una colección de objetos que especifican el modo en que serializa un campo público o una propiedad pública de lectura/escritura como elemento XML.
+
+ que contiene una colección de objetos .
+
+
+ Obtiene o establece un objeto que especifica el modo en que serializa un miembro de enumeración.
+
+ que especifica el modo en que serializa un miembro de enumeración.
+
+
+ Obtiene o establece un valor que especifica si serializa o no un campo público o una propiedad pública de lectura/escritura.
+ true si el objeto no debe serializar ni el campo ni la propiedad; en caso contrario, false.
+
+
+ Obtiene o establece un valor que especifica si se mantienen todas las declaraciones de espacio de nombres al reemplazar un objeto con un miembro que devuelve un objeto .
+ Es truesi deben mantenerse las declaraciones de espacio de nombres; en caso contrario, es false.
+
+
+ Obtiene o establece un objeto que especifica el modo en que serializa una clase como elemento raíz XML.
+
+ que reemplaza una clase con atributos de elemento raíz XML.
+
+
+ Obtiene o establece un objeto que instruye al objeto para que serialice un campo público o una propiedad pública de lectura/escritura como texto XML.
+
+ que reemplaza la serialización predeterminada de un campo público o una propiedad pública.
+
+
+ Obtiene o establece un objeto que especifica el modo en que serializa una clase a la que se ha aplicado el objeto .
+
+ que reemplaza un aplicado a una declaración de clase.
+
+
+ Especifica que el miembro se puede detectar mejor utilizando una enumeración.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase .
+ El nombre de miembro que devuelve la enumeración se utiliza para detectar una elección.
+
+
+ Obtiene o establece el nombre del campo que devuelve la enumeración que se va a utilizar para detectar tipos.
+ Nombre de un campo que devuelve una enumeración.
+
+
+ Indica que un campo público o una propiedad pública representa un elemento XML, cuando serializa o deserializa el objeto que lo contiene.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase y especifica el nombre del elemento XML.
+ Nombre de elemento XML del miembro serializado.
+
+
+ Inicializa una nueva instancia de y especifica el nombre del elemento XML así como un tipo derivado del miembro al que se ha aplicado .Este tipo de miembro se utiliza cuando serializa el objeto que lo contiene.
+ Nombre de elemento XML del miembro serializado.
+
+ de un objeto derivado del tipo de miembro.
+
+
+ Inicializa una nueva instancia de la clase y especifica un tipo de miembro al que es aplicado.Este tipo es utilizado por al serializar o deserializar el objeto que lo contiene.
+
+ de un objeto derivado del tipo de miembro.
+
+
+ Obtiene o establece el tipo de datos de la definición de esquemas XML (XSD) del elemento XM1 generado por .
+ Tipo de datos de esquemas XML, tal como se define en el documento del Consorcio WWC (www.w3.org) titulado "XML Schema Part 2: Datatypes".
+ El tipo de datos de esquemas XML especificado no se puede asignar al tipo de datos .NET.
+
+
+ Obtiene o establece el nombre del elemento XML generado.
+ Nombre del elemento XML generado.El valor predeterminado es el identificador de miembros.
+
+
+ Obtiene o establece un valor que indica si el elemento está calificado.
+ Uno de los valores de .El valor predeterminado es .
+
+
+ Obtiene o establece un valor que indica si debe serializar un miembro establecido en null como una etiqueta vacía con el atributo xsi:nil establecido en true.
+ true si genera el atributo xsi:nil; en caso contrario, false.
+
+
+ Obtiene o establece el espacio de nombres asignado al elemento XML como resultado de la serialización de la clase.
+ Espacio de nombres del elemento XML.
+
+
+ Obtiene o establece el orden explícito en el que los elementos son serializados o deserializados.
+ Orden de la generación de código.
+
+
+ Obtiene o establece el tipo de objeto utilizado para representar el elemento XML.
+
+ del miembro.
+
+
+ Representa una colección de objetos , que utiliza para reemplazar la forma predeterminada en que serializa una clase.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Agrega un objeto a la colección.
+ Índice de base cero del elemento que acaba de agregarse.
+
+ que se va a sumar.
+
+
+ Quita todos los elementos de .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Determina si la colección contiene el objeto especificado.
+ Es true si el objeto existe en la colección; de lo contrario, es false.
+
+ que se va a buscar.
+
+
+ Copia o una parte de la misma en una matriz unidimensional.
+ La matriz de para contener los elementos copiados.
+ Índice de base cero de en el que empieza la operación de copia.
+
+
+ Obtiene el número de elementos incluidos en .
+ Número de elementos incluidos en .
+
+
+ Devuelve un enumerador para la completa.
+ Interfaz para toda la colección .
+
+
+ Obtiene el índice del objeto especificado.
+ Índice de base cero del objeto .
+
+ cuyo índice se recupera.
+
+
+ Inserta en la colección.
+ Índice de base cero en el que se inserta el miembro.
+
+ que se va a insertar.
+
+
+ Obtiene o establece el elemento que se encuentra en el índice especificado.
+ El elemento en el índice especificado.
+ Índice de base cero del elemento que se va a obtener o establecer.
+
+ no es un índice válido para .
+ La propiedad está establecida y es de solo lectura.
+
+
+ Quita el objeto especificado de la colección.
+
+ que se va a quitar de la colección.
+
+
+ Quita el elemento de la interfaz que se encuentra en el índice especificado.
+ Índice de base cero del elemento que se va a quitar.
+
+ no es un índice válido para .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Copia la totalidad de en una matriz unidimensional compatible, comenzando en el índice especificado de la matriz de destino.
+
+ unidimensional que constituye el destino de los elementos copiados de . debe tener una indización de base cero.
+
+
+ Obtiene un valor que indica si el acceso a la interfaz está sincronizado (es seguro para subprocesos).
+ Es true si el acceso a está sincronizado (es seguro para subprocesos); de lo contrario, es false.
+
+
+ Obtiene un objeto que se puede utilizar para sincronizar el acceso a .
+ Objeto que se puede utilizar para sincronizar el acceso a .
+
+
+ Agrega un objeto al final de .
+ El índice de en el que se ha agregado .
+ Objeto que se va a agregar al final de la colección .El valor puede ser null.
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Determina si la interfaz contiene un valor específico.
+ Es true si se encuentra en ; en caso contrario, es false.
+ Objeto que se va a buscar en .
+
+
+ Determina el índice de un elemento específico de .
+ Índice de , si se encuentra en la lista; de lo contrario, -1.
+ Objeto que se va a buscar en .
+
+
+ Inserta un elemento en , en el índice especificado.
+ Índice basado en cero en el que debe insertarse .
+
+ que se va a insertar.El valor puede ser null.
+
+ es menor que cero.O bien es mayor que .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Obtiene un valor que indica si la interfaz tiene un tamaño fijo.
+ Es true si la interfaz tiene un tamaño fijo; de lo contrario, es false.
+
+
+ Obtiene un valor que indica si es de sólo lectura.
+ true si la interfaz es de solo lectura; en caso contrario, false.
+
+
+ Obtiene o establece el elemento que se encuentra en el índice especificado.
+ El elemento en el índice especificado.
+ Índice de base cero del elemento que se va a obtener o establecer.
+
+ no es un índice válido para .
+ La propiedad está establecida y es de solo lectura.
+
+
+ Quita la primera aparición de un objeto específico de la interfaz .
+
+ es de solo lectura.O bien tiene un tamaño fijo.
+
+
+ Controla el modo en que serializa un miembro de enumeración.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase y especifica el valor XML que genera o reconoce al serializar o deserializar la enumeración, respectivamente.
+ Nombre de reemplazo del miembro de enumeración.
+
+
+ Obtiene o establece el valor generado en una instancia de documento XML cuando serializa una enumeración o el valor reconocido cuando deserializa el miembro de enumeración.
+ Valor generado en una instancia de documento XML cuando serializa la enumeración o valor reconocido cuando deserializa el miembro de enumeración.
+
+
+ Instruye al método de para que no serialice el valor de campo público o propiedad pública de lectura/escritura.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Permite que reconozca un tipo al serializar o deserializar un objeto.
+
+
+ Inicializa una nueva instancia de la clase .
+
+ del objeto que se va a incluir.
+
+
+ Obtiene o establece el tipo de objeto que se va a incluir.
+
+ del objeto que se va a incluir.
+
+
+ Especifica que la propiedad, parámetro, valor devuelto o miembro de clase de destino contiene prefijos asociados a espacios de nombres que se utilizan en un documento XML.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Controla la serialización XML del destino de atributo como elemento raíz XML.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase y especifica el nombre del elemento raíz XML.
+ Nombre del elemento raíz XML.
+
+
+ Obtiene o establece el tipo de datos XSD del elemento raíz XML.
+ Tipo de datos de XSD (documento de esquemas XML), tal como se define en el documento "XML Schema: DataTypes" del Consorcio WWC (www.w3.org).
+
+
+ Obtiene o establece el nombre del elemento XML que generan y reconocen los métodos y , respectivamente, de la clase .
+ Nombre del elemento raíz XML generado y reconocido en una instancia de documento XML.El valor predeterminado es el nombre de la clase serializada.
+
+
+ Obtiene o establece un valor que indica si debe serializar un miembro establecido en null en el atributo xsi:nil establecido,a su vez, en true.
+ true si genera el atributo xsi:nil; en caso contrario, false.
+
+
+ Obtiene o establece el espacio de nombres del elemento raíz XML.
+ Espacio de nombres del elemento XML.
+
+
+ Serializa y deserializa objetos en y desde documentos XML. permite controlar el modo en que se codifican los objetos en XML.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase que puede serializar objetos del tipo especificado en documentos XML y deserializar documentos XML en objetos del tipo especificado.
+ El tipo del objeto que este puede serializar.
+
+
+ Inicializa una nueva instancia de la clase que puede serializar objetos del tipo especificado en documentos XML y deserializar documentos XML en objetos del tipo especificado.Especifica el espacio de nombres predeterminado para todos los elementos XML.
+ El tipo del objeto que este puede serializar.
+ Espacio de nombres predeterminado que se utilizará para todos los elementos XML.
+
+
+ Inicializa una nueva instancia de la clase que puede serializar objetos del tipo especificado en documentos XML y deserializar documentos XML en objetos del tipo especificado.Si una propiedad o un campo devuelve una matriz, el parámetro especifica aquellos objetos que pueden insertarse en la matriz.
+ El tipo del objeto que este puede serializar.
+ Matriz de tipos de objeto adicionales que se han de serializar.
+
+
+ Inicializa una nueva instancia de la clase que puede serializar objetos del tipo especificado en documentos XML y deserializar documentos XML en objetos del tipo especificado.Cada objeto que se ha de serializar también puede contener instancias de clases, que esta sobrecarga puede reemplazar con otras clases.
+ Tipo del objeto que se va a serializar.
+ Interfaz .
+
+
+ Inicializa una nueva instancia de la clase que puede serializar objetos del tipo en instancias de documentos XML y deserializar instancias de documentos XML en objetos del tipo .Cada objeto que se ha de serializar también puede contener instancias de clases, que esta sobrecarga reemplaza con otras clases.Esta sobrecarga especifica asimismo el espacio de nombres predeterminado para todos los elementos XML, así como la clase que se ha de utilizar como elemento raíz XML.
+ El tipo del objeto que este puede serializar.
+
+ que extiende o reemplaza el comportamiento de la clase especificada en el parámetro .
+ Matriz de tipos de objeto adicionales que se han de serializar.
+
+ que define las propiedades del elemento raíz XML.
+ Espacio de nombres predeterminado de todos los elementos XML en el documento XML.
+
+
+ Inicializa una nueva instancia de la clase que puede serializar objetos del tipo especificado en documentos XML y deserializar un documento XML en un objeto del tipo especificado.Especifica también la clase que se utilizará como elemento raíz XML.
+ El tipo del objeto que este puede serializar.
+
+ que representa el elemento raíz XML.
+
+
+ Obtiene un valor que indica si este puede deserializar un documento XML especificado.
+ Es true si este puede deserializar el objeto seleccionado por ; en caso contrario, es false.
+
+ que señala el documento que se ha de deserializar.
+
+
+ Deserializa un documento XML que contiene el especificado.
+
+ que se está deserializando.
+
+ que contiene el documento XML que se va a deserializar.
+
+
+ Deserializa un documento XML que contiene el especificado.
+
+ que se está deserializando.
+
+ que contiene el documento XML que se va a deserializar.
+ Se ha producido un error durante la deserialización.La excepción original está disponible mediante la propiedad .
+
+
+ Deserializa un documento XML que contiene el especificado.
+
+ que se está deserializando.
+
+ que contiene el documento XML que se va a deserializar.
+ Se ha producido un error durante la deserialización.La excepción original está disponible mediante la propiedad .
+
+
+ Devuelve una matriz de objetos creada a partir de una matriz de tipos.
+ Matriz de objetos .
+ Matriz de objetos .
+
+
+ Serializa el especificado y escribe el documento XML en un archivo utilizando el especificado.
+
+ que se utiliza para escribir el documento XML.
+
+ que se va a serializar.
+ Se ha producido un error durante la serialización.La excepción original está disponible mediante la propiedad .
+
+
+ Serializa el especificado y escribe el documento XML en un archivo utilizando el especificado, que hace referencia a los espacios de nombres especificados.
+
+ que se utiliza para escribir el documento XML.
+
+ que se va a serializar.
+
+ al que hace referencia el objeto.
+ Se ha producido un error durante la serialización.La excepción original está disponible mediante la propiedad .
+
+
+ Serializa el especificado y escribe el documento XML en un archivo utilizando el especificado.
+
+ que se utiliza para escribir el documento XML.
+
+ que se va a serializar.
+
+
+ Serializa el objeto especificado, escribe el documento XML en un archivo utilizando el objeto especificado y hace referencia a los espacios de nombres especificados.
+
+ que se utiliza para escribir el documento XML.
+
+ que se va a serializar.
+
+ que contiene los espacios de nombres para el documento XML generado.
+ Se ha producido un error durante la serialización.La excepción original está disponible mediante la propiedad .
+
+
+ Serializa el especificado y escribe el documento XML en un archivo utilizando el especificado.
+
+ que se utiliza para escribir el documento XML.
+
+ que se va a serializar.
+ Se ha producido un error durante la serialización.La excepción original está disponible mediante la propiedad .
+
+
+ Serializa el objeto especificado, escribe el documento XML en un archivo utilizando el especificado y hace referencia a los espacios de nombres especificados.
+
+ que se utiliza para escribir el documento XML.
+
+ que se va a serializar.
+
+ al que hace referencia el objeto.
+ Se ha producido un error durante la serialización.La excepción original está disponible mediante la propiedad .
+
+
+ Contiene los espacios de nombres XML y prefijos que utiliza para generar nombres calificados en una instancia de documento XML.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase , utilizando la instancia especificada de XmlSerializerNamespaces que contiene la colección de pares prefijo y espacio de nombres.
+ Una instancia de que contiene los pares de espacio de nombres y prefijo.
+
+
+ Inicializa una nueva instancia de la clase .
+ Matriz de objetos .
+
+
+ Agrega un par de prefijo y espacio de nombres a un objeto .
+ Prefijo asociado a un espacio de nombres XML.
+ Espacio de nombres XML.
+
+
+ Obtiene el número de pares de prefijo y espacio de nombres de la colección.
+ Número de pares de prefijo y espacio de nombres de la colección.
+
+
+ Obtiene la matriz de pares de prefijo y espacio de nombres en un objeto .
+ Matriz de objetos que se utilizan como nombres calificados en un documento XML.
+
+
+ Indica a que el miembro debe tratarse como texto XML cuando se serializa o se deserializa la clase contenedora.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase .
+
+ del miembro que se va a serializar.
+
+
+ Obtiene o establece el tipo de datos XSD (Lenguaje de definición de esquemas XML) del texto generado por .
+ Tipo de datos de esquemas XML (XSD), tal como se define en el documento "XML Schema Part 2: Datatypes" del Consorcio WWC (www.w3.org).
+ El tipo de datos de esquemas XML especificado no se puede asignar al tipo de datos .NET.
+ El tipo de datos de esquemas XML especificado no es válido para la propiedad y no se puede convertir al tipo de miembro.
+
+
+ Obtiene o establece el tipo del miembro.
+
+ del miembro.
+
+
+ Controla el esquema XML generado cuando serializa el destino del atributo.
+
+
+ Inicializa una nueva instancia de la clase .
+
+
+ Inicializa una nueva instancia de la clase y especifica el nombre del tipo XML.
+ Nombre del tipo XML que genera cuando serializa la instancia de clase (y reconoce al deserializar la instancia de clase).
+
+
+ Obtiene o establece un valor que determina si el tipo de esquema resultante es un tipo anónimo del XSD.
+ Es true si el tipo de esquema resultante es un tipo anónimo del XSD; de lo contrario, es false.
+
+
+ Obtiene o establece un valor que indica si se debe incluir el tipo en los documentos de esquema XML.
+ true para incluir el tipo en los documentos de esquema XML; en caso contrario, false.
+
+
+ Obtiene o establece el espacio de nombres del tipo XML.
+ Espacio de nombres del tipo XML.
+
+
+ Obtiene o establece el nombre del tipo XML.
+ Nombre del tipo XML.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/fr/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/fr/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..f28cdb8
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/fr/System.Xml.XmlSerializer.xml
@@ -0,0 +1,966 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ Spécifie que le membre (un champ retournant un tableau d'objets ) peut contenir n'importe quel attribut XML.
+
+
+ Construit une nouvelle instance de la classe .
+
+
+ Spécifie que le membre (un champ retournant un tableau d'objets ou ) contient des objets représentant tout élément XML n'ayant pas de membre correspondant dans l'objet en cours de sérialisation ou de désérialisation.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom d'élément XML généré dans le document XML.
+ Nom de l'élément XML généré par .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom d'élément XML généré dans le document XML, ainsi que son espace de noms XML.
+ Nom de l'élément XML généré par .
+ Espace de noms XML de l'élément XML.
+
+
+ Obtient ou définit le nom de l'élément XML.
+ Nom de l'élément XML.
+ Le nom d'élément d'un membre du tableau ne correspond pas au nom d'élément spécifié par la propriété .
+
+
+ Obtient ou définit l'espace de noms XML généré dans le document XML.
+ Espace de noms XML.
+
+
+ Obtient ou définit l'ordre explicite dans lequel les éléments sont sérialisés ou désérialisés.
+ Ordre de la génération du code.
+
+
+ Représente une collection d'objets .
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Ajoute un à la collection.
+ Index du nouvellement ajouté.
+
+ à ajouter.
+
+
+ Supprime tous les objets de .Elle ne peut pas être substituée.
+
+
+ Obtient une valeur qui indique si le spécifié existe dans la collection.
+ true si existe dans la collection ; sinon, false.
+
+ qui vous intéresse.
+
+
+ Copie l'ensemble de la collection dans un tableau à une dimension des objets , en démarrant dans l'index spécifié du tableau cible.
+ Tableau d'objets unidimensionnel, qui constitue la destination des éléments copiés à partir de la collection.Ce tableau doit avoir une indexation de base zéro.
+ Index de base zéro dans à partir duquel la copie commence.
+
+
+ Obtient le nombre d'éléments contenus dans l'instance de .
+ Nombre d'éléments contenus dans l'instance de .
+
+
+ Retourne un énumérateur qui itère au sein de .
+ Énumérateur qui itère au sein de .
+
+
+ Obtient l'index du spécifié.
+ Index du spécifié.
+
+ dont vous souhaitez obtenir l'index.
+
+
+ Insère un dans la collection, à l'index spécifié.
+ Index auquel sera inséré.
+
+ à insérer.
+
+
+ Obtient ou définit à l'index spécifié.
+
+ à l'index spécifié.
+ Index de .
+
+
+ Supprime le spécifié de la collection.
+
+ à supprimer.
+
+
+ Supprime l'élément au niveau de l'index spécifié de .Elle ne peut pas être substituée.
+ Index de l'élément à supprimer.
+
+
+ Copie l'ensemble de la collection dans un tableau à une dimension des objets , en démarrant dans l'index spécifié du tableau cible.
+ Tableau unidimensionnel.
+ L'index spécifié.
+
+
+ Obtient une valeur indiquant si l'accès à est synchronisé (thread-safe).
+ True si l'accès à est synchronisé ; sinon, false.
+
+
+ Obtient un objet qui peut être utilisé pour synchroniser l'accès à .
+ Objet qui peut être utilisé pour synchroniser l'accès à .
+
+
+ Ajoute un objet à la fin de .
+ Objet ajoutés à la collection.
+ Valeur de l'objet à ajouter à la collection.
+
+
+ Détermine si contient un élément spécifique.
+ True si le contient un élément spécifique ; sinon false.
+ Valeur de l'élément.
+
+
+ Recherche l'Objet spécifié et retourne l'index de base zéro de la première occurrence dans l'ensemble du .
+ Index de base zéro de l'objet.
+ Valeur de l'objet.
+
+
+ Insère un élément dans à l'index spécifié.
+ Index de l'élément qui sera inséré.
+ Valeur de l'élément.
+
+
+ Obtient une valeur indiquant si est de taille fixe.
+ True si est de taille fixe ; sinon, false.
+
+
+ Obtient une valeur indiquant si est en lecture seule.
+ True si est en lecture seule ; sinon, false.
+
+
+ Obtient ou définit l'élément situé à l'index spécifié.
+ Élément situé à l'index spécifié.
+ Index de l'élément.
+
+
+ Supprime la première occurrence d'un objet spécifique de .
+ Valeur de l'objet supprimé.
+
+
+ Spécifie que doit sérialiser un membre de classe particulier en tant que tableau d'éléments XML.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom d'élément XML généré dans le document XML.
+ Nom de l'élément XML généré par .
+
+
+ Obtient ou définit le nom d'élément XML donné au tableau sérialisé.
+ Nom d'élément XML du tableau sérialisé.Par défaut, il s'agit du nom du membre auquel est assigné.
+
+
+ Obtient ou définit une valeur qui indique si le nom d'élément XML généré par est qualifié ou non.
+ Une des valeurs de .La valeur par défaut est XmlSchemaForm.None.
+
+
+ Obtient ou définit une valeur qui indique si le doit sérialiser un membre comme balise XML vide lorsque l'attribut xsi:nil a la valeur true.
+ true si génère l'attribut xsi:nil ; false sinon.
+
+
+ Obtient ou définit l'espace de noms de l'élément XML.
+ Espace de noms de l'élément XML.
+
+
+ Obtient ou définit l'ordre explicite dans lequel les éléments sont sérialisés ou désérialisés.
+ Ordre de la génération du code.
+
+
+ Représente un attribut qui spécifie les types dérivés que le peut placer dans un tableau sérialisé.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom de l'élément XML généré dans le document XML.
+ Nom de l'élément XML.
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom de l'élément XML généré dans le document XML et le qui peut être inséré dans le document XML généré.
+ Nom de l'élément XML.
+
+ de l'objet à sérialiser.
+
+
+ Initialise une nouvelle instance de la classe et spécifie le qui peut être inséré dans le tableau sérialisé.
+
+ de l'objet à sérialiser.
+
+
+ Obtient ou définit le type de données XML de l'élément XML généré.
+ Type de données XSD (XML Schema Definition), défini par le document du World Wide Web Consortium (www.w3.org) intitulé « XML Schema Part 2: Datatypes ».
+
+
+ Obtient ou définit le nom de l'élément XML généré.
+ Nom de l'élément XML généré.Par défaut, il s'agit de l'identificateur du membre.
+
+
+ Obtient ou définit une valeur qui indique si le nom de l'élément XML généré est qualifié.
+ Une des valeurs de .La valeur par défaut est XmlSchemaForm.None.
+ La propriété est définie avec la valeur XmlSchemaForm.Unqualified et une valeur est spécifiée.
+
+
+ Obtient ou définit une valeur qui indique si le doit sérialiser un membre comme balise XML vide lorsque l'attribut xsi:nil a la valeur true.
+ true si génère l'attribut xsi:nil ; sinon, false et aucune instance n'est générée.La valeur par défaut est true.
+
+
+ Obtient ou définit l'espace de noms de l'élément XML généré.
+ Espace de noms de l'élément XML généré.
+
+
+ Obtient ou définit le niveau dans une hiérarchie d'éléments XML affectés par .
+ Index de base zéro d'un ensemble d'index dans un tableau de tableaux.
+
+
+ Obtient ou définit le type autorisé dans un tableau.
+
+ autorisé dans le tableau.
+
+
+ Représente une collection d'objets .
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Ajoute un à la collection.
+ Index de l'élément ajouté.
+
+ à ajouter à la collection.
+
+
+ Supprime tous les éléments de .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Détermine si la collection contient le spécifié.
+ true si la collection contient le spécifié ; sinon, false.
+
+ à vérifier.
+
+
+ Copie un tableau dans la collection, en commençant à l'index spécifié.
+ Tableau d'objets à copier dans la collection.
+ Index à partir duquel les attributs commencent.
+
+
+ Obtient le nombre d'éléments contenus dans le .
+ Nombre d'éléments contenus dans .
+
+
+ Retourne un énumérateur pour l'intégralité de .
+ Un pour l'intégralité de .
+
+
+ Retourne l'index de base zéro de la première occurrence du spécifié dans la collection ou -1 si l'attribut n'est pas trouvé dans la collection.
+ Premier index du dans la collection ou -1 si l'attribut n'est pas trouvé dans la collection.
+
+ à trouver dans la collection.
+
+
+ Insère dans la collection, à l'index spécifié.
+ L'index dans lequel l'attribut est inséré.
+
+ à insérer.
+
+
+ Obtient ou définit l'élément à l'index spécifié.
+
+ à l'index spécifié.
+ Index de base zéro du membre de la collection à obtenir ou définir.
+
+
+ Supprime un de la collection, s'il en existe.
+
+ à supprimer.
+
+
+ Supprime l'élément au niveau de l'index spécifié.
+ Index de base zéro de l'élément à supprimer.
+
+ n'est pas un index valide dans .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Copie l'ensemble de l'objet vers un objet unidimensionnel compatible, en commençant à l'index spécifié du tableau cible.
+
+ unidimensionnel qui constitue la destination des éléments copiés à partir d'. doit avoir une indexation de base zéro.
+
+
+ Obtient une valeur indiquant si l'accès à est synchronisé (thread-safe).
+ true si l'accès à est synchronisé (thread-safe) ; sinon false.
+
+
+
+ Ajoute un objet à la fin de .
+ Index auquel a été ajouté.
+
+ à ajouter à la fin de .La valeur peut être null.
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Détermine si la collection contient le spécifié.
+ true si la collection contient le spécifié ; sinon, false.
+
+
+ Retourne l'index de base zéro de la première occurrence du spécifié dans la collection ou -1 si l'attribut n'est pas trouvé dans la collection.
+ Premier index du dans la collection ou -1 si l'attribut n'est pas trouvé dans la collection.
+
+
+ Insère un élément dans à l'index spécifié.
+ Index de base zéro auquel doit être inséré.
+
+ à insérer.La valeur peut être null.
+
+ est inférieur à zéro.ou est supérieur à .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Obtient une valeur indiquant si est de taille fixe.
+ true si est de taille fixe ; sinon, false.
+
+
+ Obtient une valeur indiquant si est en lecture seule.
+ true si est en lecture seule ; sinon, false.
+
+
+ Obtient ou définit l'élément à l'index spécifié.
+
+ à l'index spécifié.
+ Index de base zéro du membre de la collection à obtenir ou définir.
+
+
+ Supprime la première occurrence d'un objet spécifique de .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Spécifie que doit sérialiser le membre de classe comme un attribut XML.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom de l'attribut XML généré.
+ Nom de l'attribut XML généré par .
+
+
+ Initialise une nouvelle instance de la classe .
+ Nom de l'attribut XML généré.
+
+ utilisé pour stocker l'attribut.
+
+
+ Initialise une nouvelle instance de la classe .
+
+ utilisé pour stocker l'attribut.
+
+
+ Obtient ou définit le nom de l'attribut XML.
+ Nom de l'attribut XML.La valeur par défaut est le nom du membre.
+
+
+ Obtient ou définit le type de données XSD de l'attribut XML généré par .
+ Type de données XSD (XML Schema Definition), défini par le document du World Wide Web Consortium (www.w3.org) intitulé « XML Schema: Datatypes ».
+
+
+ Obtient ou définit une valeur qui indique si le nom d'attribut XML généré par est qualifié.
+ Une des valeurs de .La valeur par défaut est XmlForm.None.
+
+
+ Obtient ou définit l'espace de noms XML de l'attribut XML.
+ Espace de noms XML de l'attribut XML.
+
+
+ Obtient ou définit le type complexe de l'attribut XML.
+ Type de l'attribut XML.
+
+
+ Permet de substituer des attributs de propriété, de champ et de classe lorsque vous utilisez pour sérialiser ou désérialiser un objet.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Ajoute un objet à la collection d'objets .Le paramètre spécifie l'objet qui sera substitué.Le paramètre spécifie le nom du membre à substituer.
+
+ de l'objet à substituer.
+ Nom du membre à substituer.
+ Objet qui représente les attributs de substitution.
+
+
+ Ajoute un objet à la collection d'objets .Le paramètre spécifie l'objet auquel se substituera l'objet .
+
+ de l'objet à substituer.
+ Objet qui représente les attributs de substitution.
+
+
+ Obtient l'objet associé au type spécifié de classe de base.
+
+ qui représente la collection d'attributs de substitution.
+
+ de la classe de base associée à la collection d'attributs à récupérer.
+
+
+ Obtient l'objet associé au type spécifié de classe de base.Le paramètre relatif au membre indique le membre de la classe de base qui est substitué.
+
+ qui représente la collection d'attributs de substitution.
+
+ de la classe de base associé à la collection d'attributs souhaitée.
+ Nom du membre substitué qui spécifie les à retourner.
+
+
+ Représente une collection d'objets attributs qui contrôlent la manière dont sérialise et désérialise un objet.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Obtient ou définit le à substituer.
+
+ à substituer.
+
+
+ Obtient la collection d'objets à substituer.
+ Objet représentant la collection d'objets .
+
+
+ Obtient ou définit un objet qui spécifie la façon dont sérialise un champ public ou une propriété en lecture/écriture publique retournant un tableau.
+
+ qui spécifie la façon dont sérialise un champ public ou une propriété en lecture/écriture publique qui retourne un tableau.
+
+
+ Obtient ou définit une collection d'objets qui spécifient comment sérialise les éléments qui sont insérés dans un tableau retourné par un champ public ou une propriété en lecture/écriture publique.
+ Objet qui contient une collection d'objets .
+
+
+ Obtient ou définit un objet qui spécifie la façon dont sérialise un champ public ou une propriété en lecture/écriture publique comme un attribut XML.
+
+ qui contrôle la sérialisation d'un champ public ou d'une propriété en lecture/écriture publique en tant qu'attribut XML.
+
+
+ Obtient ou définit un objet qui vous permet de faire la différence entre plusieurs options.
+
+ pouvant être appliqué à un membre de la classe sérialisé en tant qu'élément xsi:choice.
+
+
+ Obtient ou définit la valeur par défaut d'un élément XML ou d'un attribut XML.
+
+ qui représente la valeur par défaut d'un élément XML ou d'un attribut XML.
+
+
+ Obtient une collection d'objets qui spécifient comment sérialise un champ public ou une propriété en lecture/écriture publique en tant qu'élément XML.
+
+ qui contient une collection d'objets .
+
+
+ Obtient ou définit un objet qui spécifie la façon dont sérialise un membre de l'énumération.
+
+ qui spécifie la façon dont sérialise un membre de l'énumération.
+
+
+ Obtient ou définit une valeur qui spécifie si sérialise ou non un champ public ou une propriété en lecture/écriture publique.
+ true si ne doit pas sérialiser le champ ou la propriété ; sinon, false.
+
+
+ Obtient ou définit une valeur spécifiant si toutes les déclarations d'espace de noms doivent être conservées lors de substitution d'un objet qui contient un membre retournant un objet .
+ true si les déclarations d'espace de noms doivent être conservées ; sinon false.
+
+
+ Obtient ou définit un objet qui spécifie la façon dont sérialise une classe comme élément racine XML.
+
+ qui substitue une classe attribuée comme élément racine XML.
+
+
+ Obtient ou définit un objet qui commande à de sérialiser un champ public ou une propriété en lecture/écriture publique comme texte XML.
+
+ qui substitue la sérialisation par défaut d'une propriété publique ou d'un champ public.
+
+
+ Obtient ou définit un objet qui spécifie la façon dont sérialise une classe à laquelle a été appliqué.
+
+ qui substitue un attribut appliqué à une déclaration de classe.
+
+
+ Spécifie qu'il est possible d'utiliser une énumération pour détecter le membre.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe .
+ Nom du membre qui retourne l'énumération utilisée pour détecter un choix.
+
+
+ Obtient ou définit le nom du champ qui retourne l'énumération à utiliser lors de la détection des types.
+ Le nom d'un champ qui retourne une énumération.
+
+
+ Indique qu'un champ public ou une propriété publique représente un élément XML lorsque sérialise ou désérialise l'objet qui le contient.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom de l'élément XML.
+ Nom de l'élément XML du membre sérialisé.
+
+
+ Initialise une nouvelle instance de et spécifie le nom de l'élément XML et un type dérivé pour le membre auquel est appliqué.Ce type de membre est utilisé lorsque sérialise l'objet qui le contient.
+ Nom de l'élément XML du membre sérialisé.
+
+ d'un objet dérivé du type du membre.
+
+
+ Initialise une nouvelle instance de la classe et spécifie un type pour le membre auquel est appliqué.Ce type est utilisé par lors de la sérialisation ou la désérialisation de l'objet qui le contient.
+
+ d'un objet dérivé du type du membre.
+
+
+ Obtient ou définit le type de données XSD (XML Schema Definition) de l'élément XML généré par .
+ Type de données de schéma XML, tel que défini par le document du W3C (www.w3.org ) intitulé « XML Schema Part 2: Datatypes ».
+ Le type de données de schéma XML que vous avez spécifié ne peut pas être mappé au type de données .NET.
+
+
+ Obtient ou définit le nom de l'élément XML généré.
+ Nom de l'élément XML généré.Par défaut, il s'agit de l'identificateur du membre.
+
+
+ Obtient ou définit une valeur qui indique si l'élément est qualifié.
+ Une des valeurs de .La valeur par défaut est .
+
+
+ Obtient ou définit une valeur qui indique si doit sérialiser un membre dont la valeur est null comme balise vide avec l'attribut xsi:nil ayant la valeur true.
+ true si génère l'attribut xsi:nil ; false sinon.
+
+
+ Obtient ou définit l'espace de noms assigné à l'élément XML obtenu lorsque la classe est sérialisée.
+ Espace de noms de l'élément XML.
+
+
+ Obtient ou définit l'ordre explicite dans lequel les éléments sont sérialisés ou désérialisés.
+ Ordre de la génération du code.
+
+
+ Obtient ou définit le type d'objet utilisé pour représenter l'élément XML.
+
+ du membre.
+
+
+ Représente une collection d'objets utilisée par pour substituer la sérialisation par défaut d'une classe.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Ajoute un à la collection.
+ Index de base zéro du nouvel élément ajouté.
+
+ à ajouter.
+
+
+ Supprime tous les éléments de .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Détermine si la collection contient l'objet spécifié.
+ true si l'objet existe dans la collection, sinon false.
+
+ à rechercher.
+
+
+ Copie ou une partie de celui-ci dans un tableau unidimensionnel.
+ Tableau pour contenir les éléments copiés.
+ Index de base zéro dans à partir duquel la copie commence.
+
+
+ Obtient le nombre d'éléments contenus dans le .
+ Nombre d'éléments contenus dans .
+
+
+ Retourne un énumérateur pour l'intégralité de .
+ Un pour l'intégralité de .
+
+
+ Obtient l'index du spécifié.
+ Index de base zéro de .
+ Objet dont l'index est en cours de récupération.
+
+
+ Insère un dans la collection.
+ Index de base zéro au niveau duquel le membre est inséré.
+
+ à insérer.
+
+
+ Obtient ou définit l'élément situé à l'index spécifié.
+ Élément situé à l'index spécifié.
+ Index de base zéro de l'élément à obtenir ou définir.
+
+ n'est pas un index valide dans .
+ La propriété est définie et est en lecture seule.
+
+
+ Supprime l'objet spécifié de la collection.
+
+ à supprimer de la collection.
+
+
+ Supprime l'élément au niveau de l'index spécifié.
+ Index de base zéro de l'élément à supprimer.
+
+ n'est pas un index valide dans .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Copie l'ensemble de l'objet vers un objet unidimensionnel compatible, en commençant à l'index spécifié du tableau cible.
+
+ unidimensionnel qui constitue la destination des éléments copiés à partir d'. doit avoir une indexation de base zéro.
+
+
+ Obtient une valeur indiquant si l'accès à est synchronisé (thread-safe).
+ true si l'accès à est synchronisé (thread-safe) ; sinon false.
+
+
+ Obtient un objet qui peut être utilisé pour synchroniser l'accès à .
+ Objet qui peut être utilisé pour synchroniser l'accès à .
+
+
+ Ajoute un objet à la fin de .
+ Index auquel a été ajouté.
+
+ à ajouter à la fin de .La valeur peut être null.
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Détermine si contient une valeur spécifique.
+ true si se trouve dans ; sinon, false.
+ Objet à trouver dans .
+
+
+ Détermine l'index d'un élément spécifique de .
+ Index de s'il figure dans la liste ; sinon, -1.
+ Objet à trouver dans .
+
+
+ Insère un élément dans à l'index spécifié.
+ Index de base zéro auquel doit être inséré.
+
+ à insérer.La valeur peut être null.
+
+ est inférieur à zéro.ou est supérieur à .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Obtient une valeur indiquant si est de taille fixe.
+ true si est de taille fixe ; sinon, false.
+
+
+ Obtient une valeur indiquant si est en lecture seule.
+ true si est en lecture seule ; sinon, false.
+
+
+ Obtient ou définit l'élément situé à l'index spécifié.
+ Élément situé à l'index spécifié.
+ Index de base zéro de l'élément à obtenir ou définir.
+
+ n'est pas un index valide dans .
+ La propriété est définie et est en lecture seule.
+
+
+ Supprime la première occurrence d'un objet spécifique de .
+
+ est en lecture seule.ou est de taille fixe.
+
+
+ Contrôle la manière dont sérialise un membre de l'énumération.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie la valeur XML que génère ou reconnaît (selon qu'il sérialise ou désérialise l'énumération, respectivement).
+ Nom de substitution pour le membre de l'énumération.
+
+
+ Obtient ou définit la valeur générée dans une instance de document XML lorsque sérialise une énumération ou la valeur reconnue lors de la désérialisation du membre de l'énumération.
+ Valeur générée dans une instance de document XML lorsque sérialise l'énumération ou valeur reconnue lors de la désérialisation du membre de l'énumération.
+
+
+ Commande à la méthode de de ne pas sérialiser la valeur du champ public ou de la propriété en lecture/écriture publique.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Permet à de reconnaître un type lorsqu'il sérialise ou désérialise un objet.
+
+
+ Initialise une nouvelle instance de la classe .
+
+ de l'objet à inclure.
+
+
+ Obtient ou définit le type de l'objet à inclure.
+
+ de l'objet à inclure.
+
+
+ Spécifie que la propriété, le paramètre, la valeur de retour ou le membre de classe cible contient des préfixes associés aux espaces de noms utilisés dans un document XML.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Contrôle la sérialisation XML de l'attribut cible en tant qu'élément racine XML.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom de l'élément racine XML.
+ Nom de l'élément racine XML.
+
+
+ Obtient ou définit le type de données XSD de l'élément racine XML.
+ Type de données XSD (XML Schema Definition), défini par le document du World Wide Web Consortium (www.w3.org) intitulé « XML Schema: Datatypes ».
+
+
+ Obtient ou définit le nom de l'élément XML qui est généré et reconnu, respectivement, par les méthodes et de la classe .
+ Nom de l'élément racine XML qui est généré et reconnu dans une instance de document XML.Par défaut, il s'agit du nom de la classe sérialisée.
+
+
+ Obtient ou définit une valeur qui indique si doit sérialiser un membre qui est null en un attribut xsi:nil dont la valeur est true.
+ true si génère l'attribut xsi:nil ; false sinon.
+
+
+ Obtient ou définit l'espace de noms de l'élément racine XML.
+ Espace de noms de l'élément XML.
+
+
+ Sérialise et désérialise des objets dans des documents XML ou à partir de documents XML. permet de contrôler le mode d'encodage des objets en langage XML.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe qui peut sérialiser les objets du type spécifié en documents XML et désérialiser les documents XML en objets du type spécifié.
+ Type de l'objet que peut sérialiser.
+
+
+ Initialise une nouvelle instance de la classe qui peut sérialiser les objets du type spécifié en documents XML et désérialiser les documents XML en objets du type spécifié.Spécifie l'espace de noms par défaut de tous les éléments XML.
+ Type de l'objet que peut sérialiser.
+ Espace de noms par défaut à utiliser pour tous les éléments XML.
+
+
+ Initialise une nouvelle instance de la classe qui peut sérialiser les objets du type spécifié en documents XML et désérialiser les documents XML en objets du type spécifié.Si une propriété ou un champ retourne un tableau, le paramètre spécifie les objets pouvant être insérés dans ce tableau.
+ Type de l'objet que peut sérialiser.
+ Tableau de types d'objets supplémentaires à sérialiser.
+
+
+ Initialise une nouvelle instance de la classe qui peut sérialiser les objets du type spécifié en documents XML et désérialiser les documents XML en objets du type spécifié.Chaque objet à sérialiser peut lui-même contenir des instances de classes auxquelles cette surcharge peut substituer d'autres classes.
+ Type de l'objet à sérialiser.
+ Élément .
+
+
+ Initialise une nouvelle instance de la classe qui peut sérialiser les objets du type en documents XML et désérialiser, les documents XML en objets du type .Chaque objet à sérialiser peut lui-même contenir des instances de classes auxquelles cette surcharge peut substituer d'autres classes.Cette surcharge spécifie également l'espace de noms par défaut de tous les éléments XML ainsi que la classe à utiliser en tant qu'élément racine XML.
+ Type de l'objet que peut sérialiser.
+
+ qui étend ou substitue le comportement de la classe spécifiée par le paramètre .
+ Tableau de types d'objets supplémentaires à sérialiser.
+
+ qui définit les propriétés de l'élément racine XML.
+ Espace de noms par défaut de tous les éléments XML dans le document XML.
+
+
+ Initialise une nouvelle instance de la classe qui peut sérialiser les objets du type spécifié en documents XML et désérialiser les documents XML en objets du type spécifié.Spécifie également la classe à utiliser en tant qu'élément racine XML.
+ Type de l'objet que peut sérialiser.
+
+ qui représente l'élément racine XML.
+
+
+ Obtient une valeur qui indique si peut désérialiser un document XML spécifié.
+ true si ce peut désérialiser l'objet vers lequel pointe ; sinon, false.
+
+ qui pointe vers le document à désérialiser.
+
+
+ Désérialise le document XML qui figure dans le spécifié.
+
+ en cours de désérialisation.
+
+ qui contient le document XML à désérialiser.
+
+
+ Désérialise le document XML qui figure dans le spécifié.
+
+ en cours de désérialisation.
+
+ qui contient le document XML à désérialiser.
+ Une erreur s'est produite lors de la désérialisation.L'exception d'origine est disponible via l'utilisation de la propriété .
+
+
+ Désérialise le document XML qui figure dans le spécifié.
+
+ en cours de désérialisation.
+
+ qui contient le document XML à désérialiser.
+ Une erreur s'est produite lors de la désérialisation.L'exception d'origine est disponible via l'utilisation de la propriété .
+
+
+ Retourne un tableau d'objets créés à partir d'un tableau de types.
+ Tableau d'objets .
+ Tableau d'objets .
+
+
+ Sérialise le spécifié et écrit le document XML dans un fichier à l'aide du spécifié.
+
+ qui permet d'écrire le document XML.
+
+ à sérialiser.
+ Une erreur s'est produite lors de la sérialisation.L'exception d'origine est disponible via l'utilisation de la propriété .
+
+
+ Sérialise le spécifié et écrit le document XML dans un fichier à l'aide du spécifié qui référence les espaces de noms spécifiés.
+
+ qui permet d'écrire le document XML.
+
+ à sérialiser.
+
+ référencé par l'objet.
+ Une erreur s'est produite lors de la sérialisation.L'exception d'origine est disponible via l'utilisation de la propriété .
+
+
+ Sérialise le spécifié et écrit le document XML dans un fichier à l'aide du spécifié.
+
+ qui permet d'écrire le document XML.
+
+ à sérialiser.
+
+
+ Sérialise le spécifié et écrit le document XML dans un fichier à l'aide du spécifié qui référence les espaces de noms spécifiés.
+
+ qui permet d'écrire le document XML.
+
+ à sérialiser.
+
+ qui contient les espaces de noms du document XML généré.
+ Une erreur s'est produite lors de la sérialisation.L'exception d'origine est disponible via l'utilisation de la propriété .
+
+
+ Sérialise le spécifié et écrit le document XML dans un fichier à l'aide du spécifié.
+
+ qui permet d'écrire le document XML.
+
+ à sérialiser.
+ Une erreur s'est produite lors de la sérialisation.L'exception d'origine est disponible via l'utilisation de la propriété .
+
+
+ Sérialise le spécifié et écrit le document XML dans un fichier à l'aide du spécifié qui référence les espaces de noms spécifiés.
+
+ qui permet d'écrire le document XML.
+
+ à sérialiser.
+
+ référencé par l'objet.
+ Une erreur s'est produite lors de la sérialisation.L'exception d'origine est disponible via l'utilisation de la propriété .
+
+
+ Contient les espaces de noms et préfixes XML utilisés par pour générer des noms qualifiés dans une instance de document XML.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe , à l'aide de l'instance spécifiée de XmlSerializerNamespaces contenant la collection de paires préfixe-espace de noms.
+ Instance de contenant les paires espace de noms-préfixe.
+
+
+ Initialise une nouvelle instance de la classe .
+ Tableau d'objets .
+
+
+ Ajoute une paire préfixe/espace de noms à un objet .
+ Préfixe associé à un espace de noms XML.
+ Espace de noms XML.
+
+
+ Obtient le nombre de paires préfixe/espace de noms dans la collection.
+ Nombre de paires préfixe/espace de noms dans la collection.
+
+
+ Obtient le tableau de paires préfixe/espace de noms dans un objet .
+ Tableau d'objets utilisés en tant que noms qualifiés dans un document XML.
+
+
+ Indique à que le membre doit être traité comme du texte XML lorsque la classe qui le contient est sérialisée ou désérialisée.
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe .
+
+ du membre à sérialiser.
+
+
+ Obtient ou définit le type de données XSD (XML Schema Definition) du texte généré par .
+ Type de données XSD (XML Schema Definition), défini par le document du World Wide Web Consortium (www.w3.org) intitulé « XML Schema Part 2: Datatypes ».
+ Le type de données de schéma XML que vous avez spécifié ne peut pas être mappé au type de données .NET.
+ Le type de donnée de schéma XML que vous avez spécifié n'est pas valide pour la propriété et ne peut pas être converti dans le type du membre.
+
+
+ Obtient ou définit le type du membre.
+
+ du membre.
+
+
+ Contrôle le schéma XML qui est généré lorsque la cible de l'attribut est sérialisée par .
+
+
+ Initialise une nouvelle instance de la classe .
+
+
+ Initialise une nouvelle instance de la classe et spécifie le nom du type XML.
+ Nom du type XML que génère lorsqu'il sérialise l'instance de classe (et reconnaît lorsqu'il désérialise l'instance de classe).
+
+
+ Obtient ou définit une valeur qui détermine si le type de schéma résultant est un type anonyme XSD.
+ true, si le type de schéma résultant est un type anonyme XSD ; sinon, false.
+
+
+ Obtient ou définit une valeur qui indique si le type doit être inclus dans les documents du schéma XML.
+ true pour inclure le type dans les documents de schéma XML, sinon false.
+
+
+ Obtient ou définit l'espace de noms du type XML.
+ Espace de noms du type XML.
+
+
+ Obtient ou définit le nom du type XML.
+ Nom du type XML.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/it/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/it/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..427e83b
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/it/System.Xml.XmlSerializer.xml
@@ -0,0 +1,908 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ Consente di specificare l'inserimento di qualsiasi attributo XML nel membro, ovvero in un campo che restituisce una matrice di oggetti .
+
+
+ Consente di creare una nuova istanza della classe .
+
+
+ Specifica che il membro, ovvero un campo che restituisce una matrice di oggetti o , può contenere oggetti che rappresentano qualsiasi elemento XML privo di membro corrispondente nell'oggetto da serializzare o deserializzare.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il nome dell'elemento XML generato nel documento XML.
+ Il nome dell'elemento XML generato dalla classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il nome dell'elemento XML generato nel documento XML e il relativo spazio dei nomi XML.
+ Il nome dell'elemento XML generato dalla classe .
+ Lo spazio dei nomi XML dell'elemento XML.
+
+
+ Ottiene o imposta il nome dell'elemento XML.
+ Il nome dell'elemento XML.
+ Il nome di elemento di un membro di matrice non corrisponde al nome di elemento specificato nella proprietà .
+
+
+ Ottiene o imposta lo spazio dei nomi XML generato nel documento XML.
+ Uno spazio dei nomi XML.
+
+
+ Ottiene o imposta l'ordine esplicito in cui gli elementi vengono serializzati o deserializzati.
+ Ordine di generazione del codice.
+
+
+ Rappresenta una raccolta di oggetti .
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Aggiunge all'insieme.
+ L'indice della classe appena aggiunta.
+ Oggetto da aggiungere.
+
+
+ Rimuove tutti gli oggetti dall'oggetto .Questo metodo non può essere sottoposto a override.
+
+
+ Ottiene un valore che indica se l'oggetto specificato è presente nell'insieme.
+ true se la classe è presente nell'insieme; in caso contrario, false.
+ La classe in questione.
+
+
+ Copia l'intero insieme in una matrice unidimensionale compatibile di oggetti , a partire dall'indice specificato della matrice di destinazione.
+ Matrice unidimensionale di oggetti che costituisce la destinazione degli elementi copiati dall'insieme.L'indicizzazione della matrice deve essere in base zero.
+ Indice in base zero della matrice specificata nel parametro in corrispondenza del quale ha inizio la copia.
+
+
+ Ottiene il numero di elementi contenuti nell'istanza .
+ Il numero di elementi contenuti nell'istanza .
+
+
+ Restituisce un enumeratore che scorre la classe .
+ Enumeratore che scorre .
+
+
+ Ottiene l'indice della classe specificata.
+ Indice dell'oggetto specificato.
+ La classe della quale si desidera l'indice.
+
+
+ Inserisce nell'insieme in corrispondenza dell'indice specificato.
+ Indice in cui viene inserito .
+ Oggetto da inserire.
+
+
+ Ottiene o imposta in corrispondenza dell'indice specificato.
+ Oggetto in corrispondenza dell'indice specificato.
+ Indice dell'oggetto .
+
+
+ Rimuove la classe specificata dall'insieme.
+ La classe da rimuovere.
+
+
+ Consente di rimuovere l'elemento in corrispondenza dell'indice specificato di .Questo metodo non può essere sottoposto a override.
+ Indice dell'elemento da rimuovere.
+
+
+ Copia l'intero insieme in una matrice unidimensionale compatibile di oggetti , a partire dall'indice specificato della matrice di destinazione.
+ Matrice unidimensionale.
+ Indice specificato.
+
+
+ Ottiene un valore che indica se l'accesso a è sincronizzato (thread-safe).
+ True se l'accesso alla classe è sincronizzato, in caso contrario false.
+
+
+ Ottiene un oggetto che può essere utilizzato per sincronizzare l'accesso a .
+ Oggetto che può essere utilizzato per sincronizzare l'accesso a .
+
+
+ Aggiunge un oggetto alla fine di .
+ Oggetto aggiunto alla raccolta.
+ Il valore dell'oggetto da aggiungere alla raccolta.
+
+
+ Consente di stabilire se contiene un elemento specifico.
+ True se l'oggetto contiene un elemento specifico; in caso contrario, false.
+ Valore dell'elemento.
+
+
+ Cerca l'oggetto specificato e restituisce l'indice in base zero della prima occorrenza nell'intera classe .
+ Indice in base zero di un oggetto.
+ Valore dell'oggetto.
+
+
+ Consente di inserire un elemento in in corrispondenza dell'indice specificato.
+ L'indice in cui verrà inserito l'elemento.
+ Valore dell'elemento.
+
+
+ Ottiene un valore che indica se è a dimensione fissa.
+ True se è di dimensioni fisse; in caso contrario, false.
+
+
+ Ottiene un valore che indica se è di sola lettura.
+ True se è di sola lettura. In caso contrario, false.
+
+
+ Ottiene o imposta l'elemento in corrispondenza dell'indice specificato.
+ Elemento in corrispondenza dell'indice specificato.
+ Indice dell'elemento.
+
+
+ Rimuove la prima occorrenza di un oggetto specifico dall'interfaccia .
+ Valore dell'oggetto rimosso.
+
+
+ Specifica che deve serializzare un determinato membro della classe come matrice di elementi XML.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il nome dell'elemento XML generato nell'istanza di documento XML.
+ Il nome dell'elemento XML generato dalla classe .
+
+
+ Recupera o imposta il nome dell'elemento XML associato alla matrice serializzata.
+ Il nome dell'elemento XML della matrice serializzata.Il valore predefinito è il nome del membro al quale è assegnato .
+
+
+ Ottiene o imposta un valore che indica se il nome dell'elemento XML generato da è completo o non qualificato.
+ Uno dei valori di .Il valore predefinito è XmlSchemaForm.None.
+
+
+ Ottiene o imposta un valore che indica se deve serializzare un membro come un tag XML vuoto con l'attributo xsi:nil impostato su true.
+ true se l'attributo xsi:nil viene generato dalla classe ; in caso contrario, false.
+
+
+ Ottiene o imposta lo spazio dei nomi dell'elemento XML.
+ Lo spazio dei nomi dell'elemento XML.
+
+
+ Ottiene o imposta l'ordine esplicito in cui gli elementi vengono serializzati o deserializzati.
+ Ordine di generazione del codice.
+
+
+ Rappresenta un attributo che specifica i tipi derivati che può inserire in una matrice serializzata.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il nome dell'elemento XML generato nel documento XML.
+ Il nome dell'elemento XML.
+
+
+ Inizializza una nuova istanza della classe e specifica il nome dell'elemento XML generato nel documento XML e il che può essere inserito nel documento XML generato.
+ Il nome dell'elemento XML.
+
+ dell'oggetto da serializzare.
+
+
+ Inizializza una nuova istanza della classe e specifica il che può essere inserito nella matrice serializzata.
+
+ dell'oggetto da serializzare.
+
+
+ Ottiene o imposta il tipo di dati XML dell'elemento XML generato.
+ Un tipo di dati XSD (XML Schema Definition) secondo la definizione fornita da World Wide Web Consortium (www.w3.org) nel documento "XML Schema Part 2: DataTypes".
+
+
+ Ottiene o imposta il nome dell'elemento XML generato.
+ Il nome dell'elemento XML generato.Il valore predefinito è l'identificatore del membro.
+
+
+ Ottiene o imposta un valore che indica se il nome dell'elemento XML generato è completo.
+ Uno dei valori di .Il valore predefinito è XmlSchemaForm.None.
+ La proprietà è impostata su XmlSchemaForm.Unqualified e viene specificato un valore .
+
+
+ Ottiene o imposta un valore che indica se deve serializzare un membro come un tag XML vuoto con l'attributo xsi:nil impostato su true.
+ true se genera l'attributo xsi:nil; in caso contrario, false e non viene generata alcuna istanza.Il valore predefinito è true.
+
+
+ Ottiene o imposta lo spazio dei nomi dell'elemento XML generato.
+ Lo spazio dei nomi dell'elemento XML generato.
+
+
+ Ottiene o imposta il livello in una gerarchia di elementi XML interessati dall'.
+ Indice con inizio zero di un gruppo di indici in una matrice di matrici.
+
+
+ Ottiene o imposta il tipo consentito in una matrice.
+
+ consentito nella matrice.
+
+
+ Rappresenta una raccolta di oggetti .
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Aggiunge all'insieme.
+ L'indice dell'elemento aggiunto.
+ L'oggetto da aggiungere alla raccolta.
+
+
+ Consente di rimuovere tutti gli elementi dalla .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Determina se l'insieme contiene l'oggetto specificato.
+ true se nell'insieme è presente l'oggetto specificato; in caso contrario, false.
+
+ da verificare.
+
+
+ Copia una matrice di oggetti nell'insieme, a partire dall'indice di destinazione specificato.
+ Matrice di oggetti da copiare nell'insieme.
+ Indice in corrispondenza del quale iniziano gli attributi copiati.
+
+
+ Ottiene il numero di elementi contenuti in .
+ Il numero di elementi contenuti in .
+
+
+ Viene restituito un enumeratore per l'intero .
+
+ per l'intera .
+
+
+ Restituisce l'indice in base zero della prima occorrenza dell'oggetto specificato nella raccolta oppure -1 se l'attributo non risulta presente nella raccolta.
+ Primo indice dell'oggetto nell'insieme oppure -1 se l'attributo non risulta presente nell'insieme.
+ L'oggetto da individuare nell'insieme.
+
+
+ Consente di inserire un oggetto nell'insieme in corrispondenza dell'indice specificato.
+ Indice in corrispondenza del quale viene inserito l'attributo.
+ La classe da inserire.
+
+
+ Ottiene o imposta l'elemento in corrispondenza dell'indice specificato.
+
+ in corrispondenza dell'indice specificato.
+ L'indice con inizio zero del membro dell'insieme da ottenere o impostare.
+
+
+ Rimuove dall'insieme, se presente.
+ La classe da rimuovere.
+
+
+ Rimuove l'elemento dell'interfaccia in corrispondenza dell'indice specificato.
+ Indice in base zero dell'elemento da rimuovere.
+
+ non è un indice valido nell'interfaccia .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Copia l'intero oggetto in un oggetto compatibile unidimensionale, a partire dall'indice specificato della matrice di destinazione.
+ Oggetto unidimensionale che rappresenta la destinazione degli elementi copiati dall'oggetto .L'indicizzazione di deve essere in base zero.
+
+
+ Ottiene un valore che indica se l'accesso a è sincronizzato (thread-safe).
+ true se l'accesso all'oggetto è sincronizzato (thread-safe); in caso contrario, false.
+
+
+
+ Aggiunge un oggetto alla fine di .
+ Indice in corrispondenza del quale è stato aggiunto .
+ Oggetto da aggiungere alla fine di .Il valore può essere null.
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Determina se l'insieme contiene l'oggetto specificato.
+ true se nell'insieme è presente l'oggetto specificato; in caso contrario, false.
+
+
+ Restituisce l'indice in base zero della prima occorrenza dell'oggetto specificato nella raccolta oppure -1 se l'attributo non risulta presente nella raccolta.
+ Primo indice dell'oggetto nell'insieme oppure -1 se l'attributo non risulta presente nell'insieme.
+
+
+ Consente di inserire un elemento in in corrispondenza dell'indice specificato.
+ Indice in base zero nel quale deve essere inserito.
+ Oggetto da inserire.Il valore può essere null.
+
+ è minore di zero.- oppure - è maggiore di .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Ottiene un valore che indica se ha dimensioni fisse.
+ true se è di dimensioni fisse; in caso contrario, false.
+
+
+ Ottiene un valore che indica se è di sola lettura.
+ true se è di sola lettura. In caso contrario, false.
+
+
+ Ottiene o imposta l'elemento in corrispondenza dell'indice specificato.
+
+ in corrispondenza dell'indice specificato.
+ L'indice con inizio zero del membro dell'insieme da ottenere o impostare.
+
+
+ Rimuove la prima occorrenza di un oggetto specifico dall'interfaccia .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Specifica che deve serializzare il membro della classe come attributo XML.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il nome dell'attributo XML generato.
+ Il nome dell'attributo XML generato da .
+
+
+ Inizializza una nuova istanza della classe .
+ Nome dell'attributo XML generato.
+
+ utilizzato per archiviare l'attributo.
+
+
+ Inizializza una nuova istanza della classe .
+
+ utilizzato per archiviare l'attributo.
+
+
+ Recupera o imposta il nome dell'attributo XML.
+ Il nome dell'attributo XML.Il nome predefinito è il nome del membro.
+
+
+ Ottiene o imposta il tipo di dati XSD dell'attributo XML generato da .
+ Un tipo di dati XSD (XML Schema Document) secondo la definizione fornita da World Wide Web Consortium (www.w3.org) nel documento "XML Schema: DataTypes".
+
+
+ Ottiene o imposta un valore che indica se il nome dell'attributo XML generato da è completo.
+ Uno dei valori di .Il valore predefinito è XmlForm.None.
+
+
+ Ottiene o imposta lo spazio dei nomi XML dell'attributo XML.
+ Lo spazio dei nomi XML dell'attributo XML.
+
+
+ Ottiene o imposta il tipo complesso dell'attributo XML.
+ Tipo dell'attributo XML.
+
+
+ Consente di sottoporre a override gli attributi di una proprietà, di un campo e di una classe quando si utilizza per serializzare o deserializzare un oggetto
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Aggiunge un oggetto all'insieme di oggetti .Il parametro specifica un oggetto da sottoporre a override.Il parametro specifica il nome di un membro sottoposto a override.
+ Il dell'oggetto da sottoporre a override.
+ Il nome del membro da sottoporre a override.
+ Oggetto che rappresenta gli attributi che eseguono l'override.
+
+
+ Aggiunge un oggetto all'insieme di oggetti .Il parametro specifica un oggetto da sottoporre a override tramite l'oggetto .
+
+ dell'oggetto sottoposto a override.
+ Oggetto che rappresenta gli attributi che eseguono l'override.
+
+
+ Ottiene l'oggetti associato al tipo specificato della classe base.
+ Oggetto che rappresenta l'insieme degli attributi che eseguono l'override.
+ Classe base associata all'insieme di attributi che si desidera recuperare.
+
+
+ Ottiene gli oggetti associati al tipo specificato (classe base).Il parametro del membro specifica il membro della classe base sottoposto a override.
+ Oggetto che rappresenta l'insieme degli attributi che eseguono l'override.
+ Classe base associata all'insieme di attributi desiderati.
+ Il nome del membro sottoposto a override nel quale è specificata l'oggetto da restituire.
+
+
+ Rappresenta un insieme di oggetti attributo che controlla come serializza e deserializza un oggetto.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Ottiene o imposta la classe da sottoporre a override.
+ La classe da sottoporre a override.
+
+
+ Ottiene l'insieme di oggetti di cui eseguire l'override.
+ Un oggetto che rappresenta l'insieme di oggetti .
+
+
+ Recupera o imposta un oggetto che specifica come serializza un campo pubblico o una proprietà in lettura/scrittura che restituisce una matrice.
+
+ che specifica il modo in cui serializza un campo public o una proprietà di lettura/scrittura che restituisce una matrice.
+
+
+ Recupera o imposta un insieme di oggetti che specifica come serializza gli elementi inseriti in una matrice restituita da un campo pubblico o una proprietà di lettura/scrittura.
+ Un oggetto che contiene un insieme di oggetti .
+
+
+ Ottiene o imposta un oggetto che specifica come serializza un campo pubblico o una proprietà pubblica in lettura/scrittura come attributo XML.
+
+ che controlla la serializzazione di un campo public o di una proprietà di lettura/scrittura come attributo XML.
+
+
+ Ottiene o imposta un oggetto che consente di distinguere tra un gruppo di scelte.
+
+ che è possibile applicare a un membro della classe che viene serializzato come elemento xsi:choice.
+
+
+ Ottiene o imposta il valore predefinito di un attributo o elemento XML.
+ Un che rappresenta il valore predefinito dell'elemento o dell'attributo XML.
+
+
+ Ottiene un insieme di oggetti che specificano il modo in cui serializza un campo public o una proprietà di lettura/scrittura come elemento XML.
+ Un che contiene un insieme di oggetti .
+
+
+ Ottiene o imposta un oggetto che specifica come serializza un membro di enumerazione.
+ Un che specifica come serializza un membro di enumerazione.
+
+
+ Ottiene o imposta un valore che specifica se serializza o meno un campo pubblico o una proprietà in lettura/scrittura pubblica.
+ true se non deve serializzare il campo o la proprietà. In caso contrario, false.
+
+
+ Ottiene o imposta un valore che specifica se mantenere tutte le dichiarazioni degli spazi dei nomi quando un oggetto contenente un membro che restituisce un oggetto viene sottoposto a override.
+ true se le dichiarazioni degli spazi dei nomi devono essere mantenute; in caso contrario false.
+
+
+ Ottiene o imposta un oggetto che specifica come serializza una classe come elemento XML di primo livello.
+ Un che esegue l'override di una classe con attributi come elemento XML di primo livello.
+
+
+ Ottiene o imposta un oggetto che fa in modo che serializzi un campo pubblico o una proprietà pubblica in lettura/scrittura come testo XML.
+ Un che esegue l'override della serializzazione predefinita di un campo pubblico o di una proprietà.
+
+
+ Ottiene o imposta un oggetto che specifica come serializza una classe alla quale è stato applicato .
+ Un che esegue l'override di un applicato a una dichiarazione di classe.
+
+
+ Specifica che è possibile utilizzare un'enumerazione per rilevare ulteriormente il membro.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe .
+ Nome del membro che restituisce l'enumerazione utilizzata per rilevare la scelta.
+
+
+ Ottiene o imposta il nome del campo che restituisce l'enumerazione da utilizzare per rilevare i tipi.
+ Il nome di un campo che restituisce un'enumerazione.
+
+
+ Indica che una proprietà o un campo public rappresenta un elemento XML quando serializza o deserializza l'oggetto in cui è contenuto.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Consente di inizializzare una nuova istanza della classe e di specificare il nome dell'elemento XML.
+ Il nome dell'elemento XML del membro serializzato.
+
+
+ Inizializza una nuova istanza di e specifica il nome dell'elemento XML e un tipo derivato per il membro a cui viene applicato .Questo tipo di membro viene utilizzato quando serializza l'oggetto in cui è contenuto.
+ Il nome dell'elemento XML del membro serializzato.
+
+ di un oggetto derivato dal tipo del membro.
+
+
+ Inizializza una nuova istanza di e specifica un tipo per il membro a cui viene applicato .Questo tipo viene utilizzato da durante la serializzazione o la deserializzazione dell'oggetto in cui è contenuto.
+
+ di un oggetto derivato dal tipo del membro.
+
+
+ Ottiene o imposta il tipo di dati XSD (XML Schema Definition) dell'elemento XML generato da .
+ Un tipo di dati XML Schema secondo la definizione fornita da World Wide Web Consortium (www.w3.org) nel documento "XML Schema Part 2: Datatypes".
+ Non è possibile eseguire il mapping del tipo di dati XML Schema al tipo di dati .NET.
+
+
+ Ottiene o imposta il nome dell'elemento XML generato.
+ Il nome dell'elemento XML generato.Il valore predefinito è l'identificatore del membro.
+
+
+ Ottiene o imposta un valore che indica se l'elemento è completo.
+ Uno dei valori di .Il valore predefinito è .
+
+
+ Ottiene o imposta un valore che indica se deve serializzare un membro impostato su null come un tag vuoto con l'attributo xsi:nil impostato su true.
+ true se l'attributo xsi:nil viene generato dalla classe ; in caso contrario, false.
+
+
+ Ottiene o imposta lo spazio dei nomi assegnato all'elemento XML restituito quando la classe viene serializzata.
+ Lo spazio dei nomi dell'elemento XML.
+
+
+ Ottiene o imposta l'ordine esplicito in cui gli elementi vengono serializzati o deserializzati.
+ Ordine di generazione del codice.
+
+
+ Ottiene o imposta il tipo di oggetto utilizzato per rappresentare l'elemento XML.
+ Il del membro.
+
+
+ Rappresenta un insieme di oggetti utilizzato dalla classe per eseguire l'override della modalità predefinita di serializzazione di una classe.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Consente di aggiungere una classe all'insieme.
+ Indice in base zero del nuovo elemento aggiunto.
+ Oggetto da aggiungere.
+
+
+ Consente di rimuovere tutti gli elementi dalla .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Determina se l'insieme contiene l'oggetto specificato.
+ true se l'oggetto è presente nella raccolta, in caso contrario false.
+ Oggetto da ricercare.
+
+
+ Copia o una parte di esso in una matrice unidimensionale.
+ La matrice per conservare gli elementi copiati.
+ Indice in base zero della matrice specificata nel parametro in corrispondenza del quale ha inizio la copia.
+
+
+ Ottiene il numero di elementi contenuti in .
+ Il numero di elementi contenuti in .
+
+
+ Viene restituito un enumeratore per l'intero .
+
+ per l'intera .
+
+
+ Ottiene l'indice della classe specificata.
+ Indice in base zero di .
+ Oggetto di cui viene recuperato l'indice.
+
+
+ Inserisce un nell'insieme.
+ Indice in base zero in cui viene inserito il membro.
+ Oggetto da inserire.
+
+
+ Ottiene o imposta l'elemento in corrispondenza dell'indice specificato.
+ Elemento in corrispondenza dell'indice specificato.
+ Indice a base zero dell'elemento da ottenere o impostare.
+
+ non è un indice valido nell'interfaccia .
+ La proprietà è impostata e l'interfaccia è in sola lettura.
+
+
+ Rimuove l'oggetto specificato dalla raccolta.
+ Il da rimuovere dall'insieme.
+
+
+ Rimuove l'elemento dell'interfaccia in corrispondenza dell'indice specificato.
+ Indice in base zero dell'elemento da rimuovere.
+
+ non è un indice valido nell'interfaccia .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Copia l'intero oggetto in un oggetto compatibile unidimensionale, a partire dall'indice specificato della matrice di destinazione.
+ Oggetto unidimensionale che rappresenta la destinazione degli elementi copiati dall'oggetto .L'indicizzazione di deve essere in base zero.
+
+
+ Ottiene un valore che indica se l'accesso a è sincronizzato (thread-safe).
+ true se l'accesso all'oggetto è sincronizzato (thread-safe); in caso contrario, false.
+
+
+ Ottiene un oggetto che può essere utilizzato per sincronizzare l'accesso a .
+ Oggetto che può essere utilizzato per sincronizzare l'accesso a .
+
+
+ Aggiunge un oggetto alla fine di .
+ Indice in corrispondenza del quale è stato aggiunto .
+ Oggetto da aggiungere alla fine di .Il valore può essere null.
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Stabilisce se l'interfaccia contiene un valore specifico.
+ true se l'oggetto si trova nell'insieme ; in caso contrario false.
+ Oggetto da individuare nell'oggetto .
+
+
+ Determina l'indice di un elemento specifico nell'interfaccia .
+ Indice di , se presente nell'elenco; in caso contrario, -1.
+ Oggetto da individuare nell'oggetto .
+
+
+ Consente di inserire un elemento in in corrispondenza dell'indice specificato.
+ Indice in base zero nel quale deve essere inserito.
+ Oggetto da inserire.Il valore può essere null.
+
+ è minore di zero.- oppure - è maggiore di .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Ottiene un valore che indica se ha dimensioni fisse.
+ true se è di dimensioni fisse; in caso contrario, false.
+
+
+ Ottiene un valore che indica se è di sola lettura.
+ true se è di sola lettura. In caso contrario, false.
+
+
+ Ottiene o imposta l'elemento in corrispondenza dell'indice specificato.
+ Elemento in corrispondenza dell'indice specificato.
+ Indice a base zero dell'elemento da ottenere o impostare.
+
+ non è un indice valido nell'interfaccia .
+ La proprietà è impostata e l'interfaccia è in sola lettura.
+
+
+ Rimuove la prima occorrenza di un oggetto specifico dall'interfaccia .
+ L' è in sola lettura.- oppure - L'oggetto è di dimensioni fisse.
+
+
+ Consente di controllare le modalità di serializzazione di un membro di enumerazione utilizzate nella classe .
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il valore XML che genera o riconosce (rispettivamente quando serializza o deserializza una classe).
+ Il nome di override del membro dell'enumerazione.
+
+
+ Ottiene o imposta il valore generato in un'istanza di un documento XML quando serializza un'enumerazione o il valore riconosciuto quando deserializza il membro dell'enumerazione.
+ Il valore generato in un'istanza del documento XML quando serializza l'enumerazione o il valore riconosciuto quando deserializza il membro dell'enumerazione.
+
+
+ Fa in modo che il metodo di non serializzi il campo pubblico o il valore pubblico della proprietà in lettura/scrittura.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Consente all' di riconoscere un tipo quando serializza o deserializza un oggetto.
+
+
+ Inizializza una nuova istanza della classe .
+ Il dell'oggetto da includere.
+
+
+ Ottiene o imposta il tipo di oggetto da includere.
+ Il dell'oggetto da includere.
+
+
+ Specifica che la proprietà, il parametro, il valore restituito o il membro di classe di destinazione contiene prefissi associati agli spazi dei nomi utilizzati all'interno di un documento XML.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Controlla la serializzazione XML della destinazione dell'attributo come un elemento di primo livello.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il nome dell'elemento XML di primo livello.
+ Il nome dell'elemento XML di primo livello.
+
+
+ Ottiene o imposta il tipo di dati XSD dell'elemento XML di primo livello.
+ Un tipo di dati XSD (XML Schema Document) secondo la definizione fornita da World Wide Web Consortium (www.w3.org) nel documento "XML Schema: DataTypes".
+
+
+ Ottiene o imposta il nome dell'elemento XML generato e riconosciuto rispettivamente dai metodi e della classe .
+ Il nome dell'elemento XML generato e riconosciuto in un'istanza di un documento XML.Il valore predefinito è il nome della classe serializzata.
+
+
+ Ottiene o imposta un valore che indica se deve serializzare un membro impostato su null nell'attributo xsi:nil impostato su true.
+ true se l'attributo xsi:nil viene generato dalla classe ; in caso contrario, false.
+
+
+ Ottiene o imposta lo spazio dei nomi dell'elemento XML di primo livello.
+ Lo spazio dei nomi dell'elemento XML.
+
+
+ Serializza e deserializza oggetti in e da documenti XML. consente di controllare le modalità di codifica degli oggetti in XML.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe in grado di serializzare gli oggetti del tipo specificato in documenti XML e di deserializzare documenti XML in oggetti del tipo specificato.
+ Il tipo dell'oggetto che questo può serializzare.
+
+
+ Inizializza una nuova istanza della classe in grado di serializzare gli oggetti del tipo specificato in documenti XML e di deserializzare documenti XML in oggetti del tipo specificato.Specifica lo spazio dei nomi predefinito per tutti gli elementi XML.
+ Il tipo dell'oggetto che questo può serializzare.
+ Lo spazio dei nomi predefinito da utilizzare per tutti gli elementi XML.
+
+
+ Inizializza una nuova istanza della classe in grado di serializzare gli oggetti del tipo specificato in documenti XML e di deserializzare documenti XML in oggetti di un tipo specificato.Se una proprietà o un campo restituisce una matrice, il parametro specifica gli oggetti che possono essere inseriti nella matrice.
+ Il tipo dell'oggetto che questo può serializzare.
+ Una matrice di ulteriori oggetti da serializzare.
+
+
+ Inizializza una nuova istanza della classe in grado di serializzare gli oggetti del tipo specificato in documenti XML e di deserializzare documenti XML in oggetti del tipo specificato.Ciascun oggetto da serializzare può contenere istanze di classi e questo overload può eseguire l'override con altre classi.
+ Il tipo dell'oggetto da serializzare.
+ Oggetto .
+
+
+ Inizializza una nuova istanza della classe in grado di serializzare oggetti di tipo in istanze di documento XML e di deserializzare istanze di documento XML in oggetti di tipo .Ciascun oggetto da serializzare può contenere istanze di classi e questo overload ne esegue l'override con altre classi.Questo overload specifica inoltre lo spazio dei nomi predefinito per tutti gli elementi XML e la classe da utilizzare come elemento XML di primo livello.
+ Il tipo dell'oggetto che questo può serializzare.
+
+ che estende il comportamento della classe specificata nel parametro o ne esegue l'override.
+ Una matrice di ulteriori oggetti da serializzare.
+ Un che definisce le proprietà dell'elemento XML di primo livello.
+ Lo spazio dei nomi predefinito di tutti gli elementi XML nel documento XML.
+
+
+ Inizializza una nuova istanza della classe in grado di serializzare gli oggetti del tipo specificato in documenti XML e di deserializzare documenti XML in oggetti del tipo specificato.Specifica inoltre la classe da utilizzare come elemento XML di primo livello.
+ Il tipo dell'oggetto che questo può serializzare.
+ Un che rappresenta l'elemento XML di primo livello.
+
+
+ Ottiene un valore che indica se questo può deserializzare un documento XML specificato.
+ true se questo può deserializzare l'oggetto a cui punta . In caso contrario, false.
+ Un che punta al documento da deserializzare.
+
+
+ Deserializza il documento XML contenuto dal specificato.
+ L' da deserializzare.
+
+ contenente il documento XML da deserializzare.
+
+
+ Deserializza il documento XML contenuto dal specificato.
+ L' da deserializzare.
+
+ contenente il documento XML da deserializzare.
+ Si è verificato un errore durante la deserializzazione.L'eccezione originale è disponibile tramite la proprietà .
+
+
+ Deserializza il documento XML contenuto dal specificato.
+ L' da deserializzare.
+
+ contenente il documento XML da deserializzare.
+ Si è verificato un errore durante la deserializzazione.L'eccezione originale è disponibile tramite la proprietà .
+
+
+ Restituisce una matrice di oggetti creati da una matrice di tipi.
+ Matrice di oggetti .
+ Matrice di oggetti .
+
+
+ Serializza l' specificato e scrive il documento XML in un file utilizzando il specificato.
+ Il utilizzato per scrivere il documento XML.
+
+ da serializzare.
+ Si è verificato un errore durante la serializzazione.L'eccezione originale è disponibile tramite la proprietà .
+
+
+ Serializza l'oggetto specificato e scrive il documento XML in un file mediante l'oggetto specificato, che fa riferimento agli spazi dei nomi specificati.
+ Il utilizzato per scrivere il documento XML.
+
+ da serializzare.
+ L' cui fa riferimento l'oggetto.
+ Si è verificato un errore durante la serializzazione.L'eccezione originale è disponibile tramite la proprietà .
+
+
+ Serializza l' specificato e scrive il documento XML in un file utilizzando il specificato.
+ Il utilizzato per scrivere il documento XML.
+
+ da serializzare.
+
+
+ Serializza l'oggetto specificato e scrive il documento XML in un file mediante l'oggetto specificato, facendo riferimento agli spazi dei nomi specificati.
+ Il utilizzato per scrivere il documento XML.
+
+ da serializzare.
+
+ contenente gli spazi dei nomi del documento XML generato.
+ Si è verificato un errore durante la serializzazione.L'eccezione originale è disponibile tramite la proprietà .
+
+
+ Serializza l' specificato e scrive il documento XML in un file utilizzando il specificato.
+ Il utilizzato per scrivere il documento XML.
+
+ da serializzare.
+ Si è verificato un errore durante la serializzazione.L'eccezione originale è disponibile tramite la proprietà .
+
+
+ Serializza l'oggetto specificato e scrive il documento XML in un file mediante l'oggetto specificato, facendo riferimento agli spazi dei nomi specificati.
+ Il utilizzato per scrivere il documento XML.
+
+ da serializzare.
+ L' cui fa riferimento l'oggetto.
+ Si è verificato un errore durante la serializzazione.L'eccezione originale è disponibile tramite la proprietà .
+
+
+ Contiene gli spazi dei nomi e i prefissi XML che usa per generare i nomi completi in un'istanza di un documento XML.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe , utilizzando l'istanza specificata di XmlSerializerNamespaces che contiene l'insieme delle coppie di prefisso e spazio dei nomi.
+ Istanza di che contiene le coppie di spazio dei nomi e prefisso.
+
+
+ Inizializza una nuova istanza della classe .
+ Matrice di oggetti .
+
+
+ Aggiunge una coppia di prefisso e spazio dei nomi a un oggetto .
+ Il prefisso associato a uno spazio dei nomi XML.
+ Uno spazio dei nomi XML.
+
+
+ Ottiene il numero di coppie di prefisso e spazio dei nomi nell'insieme.
+ Numero di coppie di prefisso e spazio dei nomi nell'insieme.
+
+
+ Ottiene la matrice delle coppie di prefisso e spazio dei nomi in un oggetto .
+ Una matrice di oggetti utilizzati come nomi completi in un documento XML.
+
+
+ Indica a che il membro deve essere trattato come testo XML quando la classe in cui è contenuto viene serializzata o deserializzata.
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe .
+
+ del membro da serializzare.
+
+
+ Ottiene o imposta il tipo di dati XSD (XML Schema Definition Language) del testo generato dalla classe .
+ Tipo di dati XSD (XML Schema), secondo la definizione fornita da World Wide Web Consortium (www.w3.org) nel documento "XML Schema Part 2: Datatypes".
+ Non è possibile eseguire il mapping del tipo di dati XML Schema al tipo di dati .NET.
+ Il tipo di dati XML Schema specificato non è valido per la proprietà e non può essere convertito nel tipo di membro.
+
+
+ Ottiene o imposta il tipo del membro.
+ Il del membro.
+
+
+ Controlla lo schema XML generato quando la destinazione dell'attributo viene serializzata dalla classe .
+
+
+ Inizializza una nuova istanza della classe .
+
+
+ Inizializza una nuova istanza della classe e specifica il nome del tipo XML.
+ Il nome del tipo XML generato dalla classe durante la serializzazione dell'istanza della classe e riconosciuto durante la deserializzazione dell'istanza della classe.
+
+
+ Ottiene o imposta un valore che determina se il tipo di schema risultante è un tipo anonimo XSD.
+ true se il tipo di schema risultante è un tipo anonimo XSD. In caso contrario, false.
+
+
+ Ottiene o imposta un valore che indica se includere il tipo nei documenti dello schema XML.
+ true per includere il tipo nei documenti di schema XML; in caso contrario, false.
+
+
+ Ottiene o imposta lo spazio dei nomi del tipo XML.
+ Lo spazio dei nomi del tipo XML.
+
+
+ Ottiene o imposta il nome del tipo XML.
+ Il nome del tipo XML.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/ja/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/ja/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..da1c62e
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/ja/System.Xml.XmlSerializer.xml
@@ -0,0 +1,1069 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ メンバー ( オブジェクトの配列を返すフィールド) に任意の XML 属性を含めることができるように指定します。
+
+
+
+ クラスの新しいインスタンスを生成します。
+
+
+ メンバー ( オブジェクトまたは オブジェクトの配列を返すフィールド) に、シリアル化または逆シリアル化対象のオブジェクト内に対応するメンバーがない任意の XML 要素を表すオブジェクトを含めるように指定します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML ドキュメントに生成される XML 要素名を指定します。
+
+ が生成する XML 要素の名前。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML ドキュメントに生成される XML 要素名とその XML 名前空間を指定します。
+
+ が生成する XML 要素の名前。
+ XML 要素の XML 名前空間。
+
+
+ XML 要素名を取得または設定します。
+ XML 要素の名前。
+ 配列メンバーの要素名が、 プロパティに指定されている要素名と一致しません。
+
+
+ XML ドキュメントに生成される XML 名前空間を取得または設定します。
+ XML 名前空間。
+
+
+ 要素のシリアル化または逆シリアル化を行う明示的な順序を取得または設定します。
+ コード生成の順序。
+
+
+
+ オブジェクトのコレクションを表します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ をコレクションに追加します。
+ 新しく追加された のインデックス。
+ 追加する 。
+
+
+
+ からすべてのオブジェクトを削除します。このメソッドはオーバーライドできません。
+
+
+ 指定した がコレクション内に存在するかどうかを示す値を取得します。
+
+ がコレクション内に存在する場合は true。それ以外の場合は false。
+ コレクション内に存在するかどうかを確認する対象の 。
+
+
+ コピー先配列の指定されたインデックスを開始位置として、コレクション全体を、 オブジェクトの互換性がある 1 次元配列にコピーします。
+ コレクションからコピーされる要素のコピー先である オブジェクトの 1 次元配列。配列では 0 から始まるインデックスを使用する必要があります。
+ コピーの開始位置となる、 内の 0 から始まるインデックス。
+
+
+
+ インスタンスに格納されている要素の数を取得します。
+
+ インスタンスに格納されている要素の数。
+
+
+
+ を反復処理する列挙子を返します。
+
+ を反復処理する列挙子。
+
+
+ 指定した のインデックスを取得します。
+ 指定した のインデックス。
+ インデックスを取得する対象の 。
+
+
+
+ をコレクション内の指定のインデックス位置に挿入します。
+
+ の挿入位置を示すインデックス。
+ 挿入する 。
+
+
+ 指定したインデックス位置にある を取得または設定します。
+ 指定したインデックス位置にある 。
+
+ のインデックス。
+
+
+ 指定した をコレクションから削除します。
+ 削除する 。
+
+
+
+ の指定したインデックスにある要素を削除します。このメソッドはオーバーライドできません。
+ 削除される要素のインデックス。
+
+
+ コレクション全体を オブジェクトの互換性がある 1 次元配列にコピーします。コピー操作は、コピー先の配列の指定したインデックスから始まります。
+ 1 次元配列。
+ 指定したインデックス。
+
+
+
+ へのアクセスが同期されている (スレッド セーフである) かどうかを示す値を取得します。
+
+ へのアクセスが同期されている場合は True。それ以外の場合は false。
+
+
+
+ へのアクセスを同期するために使用できるオブジェクトを取得します。
+
+ へのアクセスを同期するために使用できるオブジェクト。
+
+
+
+ の末尾にオブジェクトを追加します。
+ コレクションに追加されたオブジェクト。
+ コレクションに追加されるオブジェクトの値。
+
+
+
+ に特定の要素が格納されているかどうかを判断します。
+
+ に特定の要素が含まれている場合は True。それ以外の場合は false。
+ 要素の値。
+
+
+ 指定したオブジェクトを検索し、 全体内で最初に見つかった位置の 0 から始まるインデックスを返します。
+ オブジェクトの 0 から始まるインデックス。
+ オブジェクトの値。
+
+
+
+ 内の指定したインデックスの位置に要素を挿入します。
+ 要素が挿入されるインデックス。
+ 要素の値。
+
+
+
+ が固定サイズかどうかを示す値を取得します。
+
+ が固定サイズの場合は True。それ以外の場合は false。
+
+
+
+ が読み取り専用かどうかを示す値を取得します。
+
+ が読み取り専用である場合は True。それ以外の場合は false。
+
+
+ 指定したインデックスにある要素を取得または設定します。
+ 指定したインデックスにある要素。
+ 要素のインデックス。
+
+
+
+ 内で最初に見つかった特定のオブジェクトを削除します。
+ 削除されるオブジェクトの値。
+
+
+
+ が特定のクラス メンバーを XML 要素の配列としてシリアル化する必要があることを指定します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML ドキュメント インスタンスに生成される XML 要素名を指定します。
+
+ が生成する XML 要素の名前。
+
+
+ シリアル化された配列に与えられた、XML 要素の名前を取得または設定します。
+ シリアル化された配列の XML 要素名。既定値は、 が割り当てられたメンバーの名前です。
+
+
+
+ によって生成された XML 要素名が修飾されているかどうかを示す値を取得または設定します。
+
+ 値のいずれか。既定値は、XmlSchemaForm.None です。
+
+
+
+ で、xsi:nil 属性が true に設定された空の XML タグとしてメンバーをシリアル化する必要があるかどうかを示す値を取得または設定します。
+
+ が xsi:nil 属性を生成する場合は true。それ以外の場合は false。
+
+
+ XML 要素の名前空間を取得または設定します。
+ XML 要素の名前空間。
+
+
+ 要素のシリアル化または逆シリアル化を行う明示的な順序を取得または設定します。
+ コード生成の順序。
+
+
+
+ がシリアル化された配列で配置できる派生型を指定する属性を表します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML ドキュメントで生成される XML 要素の名前を指定します。
+ XML 要素の名前。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML ドキュメントで生成される XML 要素の名前、および生成される XML ドキュメントに挿入できる を指定します。
+ XML 要素の名前。
+ シリアル化するオブジェクトの 。
+
+
+
+ クラスの新しいインスタンスを初期化し、シリアル化される配列に挿入できる を指定します。
+ シリアル化するオブジェクトの 。
+
+
+ 生成された XML 要素の XML データ型を取得または設定します。
+ World Wide Web Consortium (www.w3.org) のドキュメント『XML Schema Part 2: DataTypes』で定義されている XML スキーマ定義 (XSD) データ型。
+
+
+ 生成された XML 要素の名前を取得または設定します。
+ 生成された XML 要素の名前。既定値はメンバー識別子です。
+
+
+ 生成された XML 要素名が修飾されているかどうかを示す値を取得または設定します。
+
+ 値のいずれか。既定値は、XmlSchemaForm.None です。
+
+ プロパティが XmlSchemaForm.Unqualified に設定され、 値が指定されています。
+
+
+
+ で、xsi:nil 属性が true に設定された空の XML タグとしてメンバーをシリアル化する必要があるかどうかを示す値を取得または設定します。
+
+ が xsi:nil 属性を生成する場合は true。それ以外の場合は false で、インスタンスは作成されません。既定値は、true です。
+
+
+ 生成された XML 要素の名前空間を取得または設定します。
+ 生成された XML 要素の名前空間。
+
+
+
+ が影響を与える XML 要素の階層構造のレベルを取得または設定します。
+ 複数の配列内の 1 つの配列のインデックスのセットの 0 から始まるインデックス番号。
+
+
+ 配列内で使用できる型を取得または設定します。
+ 配列内で使用できる 。
+
+
+
+ オブジェクトのコレクションを表します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ をコレクションに追加します。
+ 追加された項目のインデックス。
+ コレクションに追加する 。
+
+
+
+ からすべての要素を削除します。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+ 指定した がコレクションに含まれているかどうかを判断します。
+ 指定した がコレクションに含まれている場合は true。それ以外の場合は false。
+ 確認する対象の 。
+
+
+ コピー先の指定したインデックスを開始位置として、 配列をコレクションにコピーします。
+ コレクションにコピーする オブジェクトの配列。
+ コピーされた属性の開始位置のインデックス。
+
+
+
+ に格納されている要素の数を取得します。
+
+ に格納されている要素の数。
+
+
+ この の列挙子を返します。
+
+ 全体の 。
+
+
+ コレクション内で指定した が最初に見つかった位置の 0 から始まるインデックスを返します。属性がコレクション内で見つからなかった場合は -1 を返します。
+ コレクション内の の最初のインデックス。コレクション内に属性が存在しない場合は -1。
+ コレクション内で検索する 。
+
+
+
+ をコレクション内の指定のインデックス位置に挿入します。
+ 属性が挿入される位置のインデックス。
+ 挿入する 。
+
+
+ 指定したインデックス位置にある項目を取得または設定します。
+ 指定したインデックス位置にある 。
+ 取得または設定するコレクション メンバーの 0 から始まるインデックス。
+
+
+ コレクションに が存在する場合は削除します。
+ 削除する 。
+
+
+ 指定したインデックス位置にある 項目を削除します。
+ 削除する項目の 0 から始まるインデックス。
+
+ が の有効なインデックスではありません。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+ すべての を互換性のある 1 次元の にコピーします。コピー操作は、コピー先の配列の指定したインデックスから始まります。
+
+ から要素をコピーする、1 次元の です。 には、0 から始まるインデックス番号が必要です。
+
+
+
+ へのアクセスが同期されている (スレッド セーフである) かどうかを示す値を取得します。
+
+ へのアクセスが同期されている (スレッド セーフである) 場合は true。それ以外の場合は false。
+
+
+
+
+ の末尾にオブジェクトを追加します。
+
+ が追加された位置の インデックス。
+
+ の末尾に追加する 。値は null に設定できます。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+ 指定した がコレクションに含まれているかどうかを判断します。
+ 指定した がコレクションに含まれている場合は true。それ以外の場合は false。
+
+
+ コレクション内で指定した が最初に見つかった位置の 0 から始まるインデックスを返します。属性がコレクション内で見つからなかった場合は -1 を返します。
+ コレクション内の の最初のインデックス。コレクション内に属性が存在しない場合は -1。
+
+
+
+ 内の指定したインデックスの位置に要素を挿入します。
+
+ を挿入する位置の、0 から始まるインデックス番号。
+ 挿入する 。値は null に設定できます。
+
+ が 0 未満です。または が より大きくなっています。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+
+ が固定サイズかどうかを示す値を取得します。
+
+ が固定サイズの場合は true。それ以外の場合は false。
+
+
+
+ が読み取り専用かどうかを示す値を取得します。
+
+ が読み取り専用である場合は true。それ以外の場合は false。
+
+
+ 指定したインデックス位置にある項目を取得または設定します。
+ 指定したインデックス位置にある 。
+ 取得または設定するコレクション メンバーの 0 から始まるインデックス。
+
+
+
+ 内で最初に見つかった特定のオブジェクトを削除します。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+
+ がクラス メンバーを XML 属性としてシリアル化する必要があることを指定します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、生成される XML 属性の名前を指定します。
+
+ が生成する XML 属性の名前。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+ 生成される XML 属性の名前。
+ 属性を取得するために使用する 。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+ 属性を取得するために使用する 。
+
+
+ XML 属性の名前を取得または設定します。
+ XML 属性の名前。既定値はメンバー名です。
+
+
+
+ によって生成された XML 属性の XSD データ型を取得または設定します。
+ W3C (World Wide Web Consortium) (www.w3.org ) のドキュメント『XML Schema: DataTypes』で定義されている XSD (XML スキーマ ドキュメント) データ型。
+
+
+
+ によって生成された XML 属性名が修飾されているかどうかを示す値を取得または設定します。
+
+ 値のいずれか。既定値は、XmlForm.None です。
+
+
+ XML 属性の XML 名前空間を取得または設定します。
+ XML 属性の XML 名前空間。
+
+
+ XML 属性の複合型を取得または設定します。
+ XML 属性の型。
+
+
+ オブジェクトをシリアル化または逆シリアル化するために を使用するときに、プロパティ、フィールド、クラスの各属性をユーザーがオーバーライドできるようにします。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ オブジェクトを オブジェクトのコレクションに追加します。 パラメーターは、オーバーライドされるオブジェクトを指定します。 パラメーターは、オーバーライドされるメンバーの名前を指定します。
+ オーバーライドするオブジェクトの 。
+ オーバーライドするメンバーの名前。
+ オーバーライドする側の属性を表す オブジェクト。
+
+
+
+ オブジェクトを オブジェクトのコレクションに追加します。 パラメーターは、 オブジェクトによってオーバーライドされるオブジェクトを指定します。
+ オーバーライドされるオブジェクトの 。
+ オーバーライドする側の属性を表す オブジェクト。
+
+
+ 指定された (基本クラス) 型に関連付けられたオブジェクトを取得します。
+ オーバーライドする側の属性のコレクションを表す 。
+ 取得する属性のコレクションに関連付けられている基本クラスの 。
+
+
+ 指定された (基本クラス) 型に関連付けられたオブジェクトを取得します。メンバー パラメーターは、オーバーライドされた基本クラス メンバーを指定します。
+ オーバーライドする側の属性のコレクションを表す 。
+ 使用する属性のコレクションに関連付けられている基本クラスの 。
+ 返す を指定する、オーバーライドされたメンバーの名前。
+
+
+
+ がオブジェクトをシリアル化および逆シリアル化する方法を制御する属性オブジェクトのコレクションを表します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ オーバーライドする を取得または設定します。
+ オーバーライドする 。
+
+
+ オーバーライドする オブジェクトのコレクションを取得します。
+
+ オブジェクトのコレクションを表す オブジェクト。
+
+
+
+ が、配列を返すパブリック フィールドまたは読み取り/書き込みプロパティをシリアル化する方法を指定するオブジェクトを取得または設定します。
+ 配列を返すパブリック フィールドまたは読み取り/書き込みプロパティを でシリアル化する方法を指定する 。
+
+
+ パブリック フィールドまたは読み取り/書き込みプロパティによって返された配列に挿入されている項目を によってシリアル化する方法を指定するオブジェクトのコレクションを取得または設定します。
+
+ オブジェクトのコレクションを格納している オブジェクト。
+
+
+
+ が、パブリック フィールドまたはパブリックな読み取り/書き込みプロパティを XML 属性としてシリアル化する方法を指定するオブジェクトを取得または設定します。
+ パブリック フィールドまたは読み取り/書き込みプロパティを XML 属性としてシリアル化する方法を制御する 。
+
+
+ 複数の選択肢を区別できるようにするオブジェクトを取得または設定します。
+ xsi:choice 要素としてシリアル化されているクラス メンバーに適用できる 。
+
+
+ XML 要素または XML 属性の既定値を取得または設定します。
+ XML 要素または XML 属性の既定値を表す 。
+
+
+
+ がパブリック フィールドまたは読み取り/書き込みプロパティを XML 要素としてシリアル化する方法を指定する、オブジェクトのコレクションを取得します。
+
+ オブジェクトのコレクションを格納している 。
+
+
+
+ が列挙体メンバーをシリアル化する方法を指定するオブジェクトを取得または指定します。
+
+ が列挙体メンバーをシリアル化する方法を指定する 。
+
+
+
+ がパブリック フィールドまたは読み書き可能なパブリック プロパティをシリアル化するかどうかを指定する値を取得または設定します。
+
+ がそのフィールドまたはプロパティをシリアル化しない場合は true。それ以外の場合は false。
+
+
+
+ オブジェクトを返すメンバーを格納するオブジェクトがオーバーライドされたときに、すべての名前空間宣言を保持するかどうかを示す値を取得または設定します。
+ 名前空間宣言を保持する場合は true。それ以外の場合は false。
+
+
+
+ がクラスを XML ルート要素としてシリアル化する方法を指定するオブジェクトを取得または指定します。
+ XML ルート要素として属性が設定されているクラスをオーバーライドする 。
+
+
+
+ に対してパブリック フィールドまたはパブリックな読み取り/書き込みプロパティを XML テキストとしてシリアル化するよう指示するオブジェクトを取得または設定します。
+ パブリック プロパティまたはフィールドの既定のシリアル化をオーバーライドする 。
+
+
+
+ が適用されているクラスを がシリアル化する方法を指定するオブジェクトを取得または指定します。
+ クラス宣言に適用された をオーバーライドする 。
+
+
+ 列挙体を使用して、メンバーを明確に検出できるようにすることを指定します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+ メンバーを検出するために使用される列挙体を返すメンバー名。
+
+
+ 型を検出するときに使用される列挙体を返すフィールドの名前を取得または設定します。
+ 列挙体を返すフィールドの名前。
+
+
+ パブリック フィールドまたはパブリック プロパティを持つオブジェクトを がシリアル化または逆シリアル化するときに、それらのフィールドまたはプロパティが XML 要素を表すかどうかを示します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML 要素の名前を指定します。
+ シリアル化されたメンバーの XML 要素名。
+
+
+
+ の新しいインスタンスを初期化し、 の適用先であるメンバーの XML 要素の名前と派生型を指定します。このメンバー型が使用されるのは、その型を含むオブジェクトを がシリアル化する場合です。
+ シリアル化されたメンバーの XML 要素名。
+ メンバーの型から派生したオブジェクトの 。
+
+
+
+ クラスの新しいインスタンスを初期化し、 の適用先のメンバーの型を指定します。この型が使用されるのは、その型を含むオブジェクトを がシリアル化または逆シリアル化する場合です。
+ メンバーの型から派生したオブジェクトの 。
+
+
+
+ によって生成された XML 要素の XML スキーマ定義 (XSD: XML Schema Definition) データ型を取得または設定します。
+ W3C (World Wide Web Consortium) (www.w3.org ) のドキュメント『XML Schema Part 2: Datatypes』で定義されている XML スキーマ データ型。
+ 指定した XML スキーマ データ型を .NET データ型に割り当てることはできません。
+
+
+ 生成された XML 要素の名前を取得または設定します。
+ 生成された XML 要素の名前。既定値はメンバー識別子です。
+
+
+ 要素が修飾されているかどうかを示す値を取得または設定します。
+
+ 値のいずれか。既定値は、 です。
+
+
+
+ が、null に設定されているメンバーを、xsi:nil 属性が true に設定されている空タグとしてシリアル化する必要があるかどうかを示す値を取得または設定します。
+
+ が xsi:nil 属性を生成する場合は true。それ以外の場合は false。
+
+
+ クラスがシリアル化されたときに、結果として XML 要素に割り当てられた名前空間を取得または設定します。
+ XML 要素の名前空間。
+
+
+ 要素のシリアル化または逆シリアル化を行う明示的な順序を取得または設定します。
+ コード生成の順序。
+
+
+ XML 要素を表すために使用されるオブジェクト型を取得または設定します。
+ メンバーの 。
+
+
+
+ がクラスをシリアル化する既定の方法をオーバーライドするために使用する、 オブジェクトのコレクションを表します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ をコレクションに追加します。
+ 新しく追加された項目の 0 から始まるインデックス。
+ 追加する 。
+
+
+
+ からすべての要素を削除します。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+ 指定したオブジェクトがコレクションに格納されているかどうかを確認します。
+ オブジェクトがコレクション内に存在する場合は true。それ以外の場合は false。
+ 検索対象の 。
+
+
+
+ またはその一部を 1 次元配列にコピーします。
+ コピーされた要素を保つための アレー。
+ コピーの開始位置となる、 内の 0 から始まるインデックス。
+
+
+
+ に格納されている要素の数を取得します。
+
+ に格納されている要素の数。
+
+
+ この の列挙子を返します。
+
+ 全体の 。
+
+
+ 指定した のインデックスを取得します。
+
+ の 0 から始まるインデックス番号。
+ インデックスを取得する 。
+
+
+ コレクションに を挿入します。
+ メンバーが挿入される 0 から始まるインデックス。
+ 挿入する 。
+
+
+ 指定したインデックスにある要素を取得または設定します。
+ 指定したインデックスにある要素。
+ 取得または設定する要素の、0 から始まるインデックス番号。
+
+ が の有効なインデックスではありません。
+ このプロパティが設定されていますが、 が読み取り専用です。
+
+
+ 指定されたオブジェクトをコレクションから削除します。
+ コレクションから削除する 。
+
+
+ 指定したインデックス位置にある 項目を削除します。
+ 削除する項目の 0 から始まるインデックス。
+
+ が の有効なインデックスではありません。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+ すべての を互換性のある 1 次元の にコピーします。コピー操作は、コピー先の配列の指定したインデックスから始まります。
+
+ から要素をコピーする、1 次元の です。 には、0 から始まるインデックス番号が必要です。
+
+
+
+ へのアクセスが同期されている (スレッド セーフである) かどうかを示す値を取得します。
+
+ へのアクセスが同期されている (スレッド セーフである) 場合は true。それ以外の場合は false。
+
+
+
+ へのアクセスを同期するために使用できるオブジェクトを取得します。
+
+ へのアクセスを同期するために使用できるオブジェクト。
+
+
+
+ の末尾にオブジェクトを追加します。
+
+ が追加された位置の インデックス。
+
+ の末尾に追加する 。値は null に設定できます。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+
+ に特定の値が格納されているかどうかを判断します。
+
+ が に存在する場合は true。それ以外の場合は false。
+
+ 内で検索するオブジェクト。
+
+
+
+ 内での指定した項目のインデックスを調べます。
+ リストに存在する場合は のインデックス。それ以外の場合は -1。
+
+ 内で検索するオブジェクト。
+
+
+
+ 内の指定したインデックスの位置に要素を挿入します。
+
+ を挿入する位置の、0 から始まるインデックス番号。
+ 挿入する 。値は null に設定できます。
+
+ が 0 未満です。または が より大きくなっています。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+
+ が固定サイズかどうかを示す値を取得します。
+
+ が固定サイズの場合は true。それ以外の場合は false。
+
+
+
+ が読み取り専用かどうかを示す値を取得します。
+
+ が読み取り専用である場合は true。それ以外の場合は false。
+
+
+ 指定したインデックスにある要素を取得または設定します。
+ 指定したインデックスにある要素。
+ 取得または設定する要素の、0 から始まるインデックス番号。
+
+ が の有効なインデックスではありません。
+ このプロパティが設定されていますが、 が読み取り専用です。
+
+
+
+ 内で最初に見つかった特定のオブジェクトを削除します。
+
+ は読み取り専用です。または が固定サイズです。
+
+
+
+ が列挙体メンバーをシリアル化する方法を制御します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、 が生成する (列挙体をシリアル化する場合) または認識する (列挙体を逆シリアル化する場合) XML 値を指定します。
+ オーバーライドする側の列挙体メンバーの名前。
+
+
+
+ が列挙体をシリアル化する場合は XML ドキュメント インスタンスに生成された値を、列挙体メンバーを逆シリアル化する場合は認識した値を、取得または設定します。
+
+ が列挙体をシリアル化する場合は XML ドキュメント インスタンスに生成された値、列挙体メンバーを逆シリアル化する場合は認識した値。
+
+
+
+ の メソッドに対して、パブリック フィールドまたはパブリックな読み書き可能プロパティの値をシリアル化しないように指示します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ がオブジェクトをシリアル化または逆シリアル化するときに、型を認識できるようにします。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+ 含めるオブジェクトの 。
+
+
+ 含めるオブジェクトの型を取得または設定します。
+ 含めるオブジェクトの 。
+
+
+ 対象となるプロパティ、パラメーター、戻り値、またはクラス メンバーに、XML ドキュメント内で使用する、名前空間に関連付けられたプレフィックスを含めることを指定します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ 属性ターゲットを XML ルート要素として XML にシリアル化する方法を制御します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML ルート要素の名前を指定します。
+ XML ルート要素の名前。
+
+
+ XML ルート要素の XSD データ型を取得または設定します。
+ W3C (World Wide Web Consortium) (www.w3.org ) のドキュメント『XML Schema: DataTypes』で定義されている XSD (XML スキーマ ドキュメント) データ型。
+
+
+
+ クラスの メソッドおよび メソッドによって生成および認識される XML 要素名を取得または設定します。
+ XML ドキュメント インスタンスで生成および認識された XML ルート要素名。既定値は、シリアル化されたクラスの名前です。
+
+
+
+ で、null に設定されているメンバーを、true に設定されている xsi:nil 属性にシリアル化するかどうかを示す値を取得または設定します。
+
+ が xsi:nil 属性を生成する場合は true。それ以外の場合は false。
+
+
+ XML ルート要素の名前空間を取得または設定します。
+ XML 要素の名前空間。
+
+
+ オブジェクトから XML ドキュメントへのシリアル化および XML ドキュメントからオブジェクトへの逆シリアル化を行います。 により、オブジェクトを XML にエンコードする方法を制御できます。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ 指定した型のオブジェクトを XML ドキュメントにシリアル化したり、XML ドキュメントを指定した型のオブジェクトに逆シリアル化したりできる、 クラスの新しいインスタンスを初期化します。
+
+ がシリアル化できるオブジェクトの型。
+
+
+ 指定した型のオブジェクトを XML ドキュメントにシリアル化したり、XML ドキュメントを指定した型のオブジェクトに逆シリアル化したりできる、 クラスの新しいインスタンスを初期化します。すべての XML 要素の既定の名前空間を指定します。
+
+ がシリアル化できるオブジェクトの型。
+ すべての XML 要素で使用する既定の名前空間。
+
+
+ 指定した型のオブジェクトを XML ドキュメントにシリアル化したり、XML ドキュメントを指定した型のオブジェクトに逆シリアル化したりできる、 クラスの新しいインスタンスを初期化します。プロパティまたはフィールドが配列を返す場合、 パラメーターには、その配列に挿入できるオブジェクトを指定します。
+
+ がシリアル化できるオブジェクトの型。
+ シリアル化する追加のオブジェクト型の 配列。
+
+
+ 指定した型のオブジェクトを XML ドキュメントにシリアル化したり、XML ドキュメントを指定した型のオブジェクトに逆シリアル化したりできる、 クラスの新しいインスタンスを初期化します。シリアル化される各オブジェクトはそれ自体がクラスのインスタンスを含むことができ、それをこのオーバーロードによって他のクラスでオーバーライドします。
+ シリアル化するオブジェクトの型。
+
+ 。
+
+
+
+ 型のオブジェクトを XML ドキュメント インスタンスにシリアル化したり、XML ドキュメント インスタンスを 型のオブジェクトに逆シリアル化したりできる、 クラスの新しいインスタンスを初期化します。シリアル化される各オブジェクトはそれ自体がクラスのインスタンスを含むことができ、それをこのオーバーロードによって他のクラスでオーバーライドします。このオーバーロードでは、すべての XML 要素の既定の名前空間、および XML ルート要素として使用するクラスも指定します。
+
+ がシリアル化できるオブジェクトの型。
+
+ パラメーターで指定されたクラスの動作を拡張またはオーバーライドする 。
+ シリアル化する追加のオブジェクト型の 配列。
+ XML ルート要素プロパティを定義する 。
+ XML ドキュメント内のすべての XML 要素の既定の名前空間。
+
+
+ 指定した型のオブジェクトを XML ドキュメントにシリアル化したり、XML ドキュメントを指定した型のオブジェクトに逆シリアル化したりできる、 クラスの新しいインスタンスを初期化します。また、XML ルート要素として使用するクラスを指定します。
+
+ がシリアル化できるオブジェクトの型。
+ XML ルート要素を表す 。
+
+
+
+ が、指定された XML ドキュメントを逆シリアル化できるかどうかを示す値を取得します。
+
+ が指すオブジェクトを が逆シリアル化できる場合は true。それ以外の場合は false。
+ 逆シリアル化するドキュメントを指す 。
+
+
+ 指定した に格納されている XML ドキュメントを逆シリアル化します。
+ 逆シリアル化される 。
+ 逆シリアル化する XML ドキュメントを格納している 。
+
+
+ 指定した に格納されている XML ドキュメントを逆シリアル化します。
+ 逆シリアル化される 。
+ 逆シリアル化する XML ドキュメントを格納している 。
+ 逆シリアル化中にエラーが発生しました。元の例外には、 プロパティを使用してアクセスできます。
+
+
+ 指定した に格納されている XML ドキュメントを逆シリアル化します。
+ 逆シリアル化される 。
+ 逆シリアル化する XML ドキュメントを格納している 。
+ 逆シリアル化中にエラーが発生しました。元の例外には、 プロパティを使用してアクセスできます。
+
+
+ 型の配列から作成された、 オブジェクトの配列を返します。
+
+ オブジェクトの配列。
+
+ オブジェクトの配列。
+
+
+ 指定した をシリアル化し、生成された XML ドキュメントを、指定した を使用してファイルに書き込みます。
+ XML ドキュメントを書き込むために使用する 。
+ シリアル化する 。
+ シリアル化中にエラーが発生しました。元の例外には、 プロパティを使用してアクセスできます。
+
+
+ 指定した をシリアル化し、指定した を使用して、指定した名前空間を参照し、生成された XML ドキュメントをファイルに書き込みます。
+ XML ドキュメントを書き込むために使用する 。
+ シリアル化する 。
+ オブジェクトが参照する 。
+ シリアル化中にエラーが発生しました。元の例外には、 プロパティを使用してアクセスできます。
+
+
+ 指定した をシリアル化し、生成された XML ドキュメントを、指定した を使用してファイルに書き込みます。
+ XML ドキュメントを書き込むために使用する 。
+ シリアル化する 。
+
+
+ 指定した をシリアル化し、指定した を使用して XML ドキュメントをファイルに書き込み、指定した名前空間を参照します。
+ XML ドキュメントを書き込むために使用する 。
+ シリアル化する 。
+ 生成された XML ドキュメントで使用する名前空間を格納している 。
+ シリアル化中にエラーが発生しました。元の例外には、 プロパティを使用してアクセスできます。
+
+
+ 指定した をシリアル化し、生成された XML ドキュメントを、指定した を使用してファイルに書き込みます。
+ XML ドキュメントを書き込むために使用する 。
+ シリアル化する 。
+ シリアル化中にエラーが発生しました。元の例外には、 プロパティを使用してアクセスできます。
+
+
+ 指定した をシリアル化し、指定した を使用して XML ドキュメントをファイルに書き込み、指定した名前空間を参照します。
+ XML ドキュメントを書き込むために使用する 。
+ シリアル化する 。
+ オブジェクトが参照する 。
+ シリアル化中にエラーが発生しました。元の例外には、 プロパティを使用してアクセスできます。
+
+
+
+ が XML ドキュメント インスタンスで修飾名を生成するために使用する XML 名前空間とプレフィックスが格納されています。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+ プレフィックスと名前空間のペアのコレクションを保持する XmlSerializerNamespaces のインスタンスを指定して、 クラスの新しいインスタンスを初期化します。
+ 名前空間とプレフィックスのペアを保持する のインスタンス。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+ オブジェクトの配列。
+
+
+
+ オブジェクトにプレフィックスと名前空間のペアを追加します。
+ XML 名前空間に関連付けられているプリフィックス。
+ XML 名前空間。
+
+
+ コレクション内のプレフィックスと名前空間のペアの数を取得します。
+ コレクション内のプレフィックスと名前空間のペアの数。
+
+
+
+ オブジェクト内のプレフィックスと名前空間のペアの配列を取得します。
+ XML ドキュメントで修飾名として使用される オブジェクトの配列。
+
+
+
+ が、クラスをシリアル化または逆シリアル化するときに、そのクラスに含まれる特定のメンバーを XML テキストとして処理する必要があることを指定します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+ シリアル化するメンバーの 。
+
+
+
+ によって生成されたテキストの XML スキーマ定義言語 (XSD: XML Schema Definition Language) データ型を取得または設定します。
+ W3C (World Wide Web Consortium) (www.w3.org ) のドキュメント『XML Schema Part 2: Datatypes』で定義されている XML スキーマ (XSD) データ型。
+ 指定した XML スキーマ データ型を .NET データ型に割り当てることはできません。
+ 指定した XML スキーマ データ型はプロパティとしては無効なので、そのメンバー型に変換できません。
+
+
+ メンバーの型を取得または設定します。
+ メンバーの 。
+
+
+ この属性が適用された対象が によってシリアル化されるときに生成される XML スキーマを制御します。
+
+
+
+ クラスの新しいインスタンスを初期化します。
+
+
+
+ クラスの新しいインスタンスを初期化し、XML 型の名前を指定します。
+
+ がクラス インスタンスをシリアル化する場合に生成する (およびクラス インスタンスを逆シリアル化する場合に認識する) XML 型の名前。
+
+
+ 結果のスキーマ型が XSD 匿名型であるかどうかを判断する値を取得または設定します。
+ 結果のスキーマ型が XSD 匿名型である場合は true。それ以外の場合は false。
+
+
+ XML スキーマ ドキュメントに型を含めるかどうかを示す値を取得または設定します。
+ XML スキーマ ドキュメントに型を含める場合は true。それ以外の場合は false。
+
+
+ XML 型の名前空間を取得または設定します。
+ XML 型の名前空間。
+
+
+ XML 型の名前を取得または設定します。
+ XML 型の名前。
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/ko/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/ko/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..4398faa
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/ko/System.Xml.XmlSerializer.xml
@@ -0,0 +1,1062 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ 멤버( 개체의 배열을 반환하는 필드)가 XML 특성을 포함할 수 있도록 지정합니다.
+
+
+
+ 클래스의 새 인스턴스를 만듭니다.
+
+
+ 멤버( 또는 개체의 배열을 반환하는 필드)가 serialize 또는 deserialize되고 있는 개체에 해당 멤버가 없는 XML 요소를 나타내는 개체를 포함하도록 지정합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하며 XML 문서에 생성된 XML 요소의 이름을 지정합니다.
+
+ 가 생성하는 XML 요소의 이름입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하며 XML 문서와 이 문서의 XML 네임스페이스에 생성된 XML 요소의 이름을 지정합니다.
+
+ 가 생성하는 XML 요소의 이름입니다.
+ XML 요소의 XML 네임스페이스입니다.
+
+
+ XML 요소 이름을 가져오거나 설정합니다.
+ XML 요소의 이름입니다.
+ 배열 멤버의 요소 이름이 속성으로 지정한 요소 이름과 일치하지 않는 경우
+
+
+ XML 문서에 생성된 XML 네임스페이스를 가져오거나 설정합니다.
+ XML 네임스페이스입니다.
+
+
+ 요소가 serialize 또는 deserialize되는 명시적 순서를 가져오거나 설정합니다.
+ 코드가 생성되는 순서입니다.
+
+
+
+ 개체의 컬렉션을 나타냅니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 를 컬렉션에 추가합니다.
+ 새로 추가한 의 인덱스입니다.
+ 추가할 입니다.
+
+
+
+ 에서 개체를 모두 제거합니다.이 메서드는 재정의할 수 없습니다.
+
+
+ 지정된 가 컬렉션에 있는지 여부를 나타내는 값을 가져옵니다.
+
+ 가 컬렉션에 있으면 true이고, 그렇지 않으면 false입니다.
+ 원하는 입니다.
+
+
+ 대상 배열의 지정된 인덱스에서 시작하여 전체 컬렉션을 호환 가능한 개체의 1차원 배열에 복사합니다.
+ 컬렉션에서 복사된 요소의 대상인 개체의 일차원 배열입니다.배열에서 0부터 시작하는 인덱스를 사용해야 합니다.
+
+ 에서 복사가 시작되는 인덱스(0부터 시작)입니다.
+
+
+
+ 인스턴스에 포함된 요소의 수를 가져옵니다.
+
+ 인스턴스에 포함된 요소의 수입니다.
+
+
+
+ 을 반복하는 열거자를 반환합니다.
+
+ 를 반복하는 열거자입니다.
+
+
+ 지정된 의 인덱스를 가져옵니다.
+ 지정된 의 인덱스입니다.
+ 원하는 의 인덱스입니다.
+
+
+ 지정된 인덱스의 컬렉션에 를 삽입합니다.
+
+ 가 삽입되는 위치의 인덱스입니다.
+ 삽입할 입니다.
+
+
+ 지정된 인덱스에 있는 를 가져오거나 설정합니다.
+ 지정된 인덱스의 입니다.
+
+ 의 인덱스입니다.
+
+
+ 컬렉션에서 지정된 을 제거합니다.
+ 제거할 입니다.
+
+
+
+ 의 지정한 인덱스에서 요소를 제거합니다.이 메서드는 재정의할 수 없습니다.
+ 제거할 요소의 인덱스입니다.
+
+
+ 대상 배열의 지정된 인덱스에서 시작하여 전체 컬렉션을 호환 가능한 개체의 1차원 배열에 복사합니다.
+ 1차원 배열입니다.
+ 지정한 인덱스입니다.
+
+
+
+ 에 대한 액세스가 동기화되어 스레드로부터 안전하게 보호되는지 여부를 나타내는 값을 가져옵니다.
+
+ 에 대한 액세스가 동기화되면 True이고, 그렇지 않으면 false입니다.
+
+
+
+ 에 대한 액세스를 동기화하는 데 사용할 수 있는 개체를 가져옵니다.
+
+ 에 대한 액세스를 동기화하는 데 사용할 수 있는 개체입니다.
+
+
+ 개체를 의 끝 부분에 추가합니다.
+ 컬렉션에 추가된 개체입니다.
+ 컬렉션에 추가할 개체의 값입니다.
+
+
+
+ 에 특정 요소가 들어 있는지 여부를 확인합니다.
+
+ 에 특정 요소가 있으면 True이고, 그렇지 않으면 false입니다.
+ 요소의 값입니다.
+
+
+ 지정한 개체를 검색하고, 전체 에서 이 개체가 처음 나타나는 인덱스(0부터 시작)를 반환합니다.
+ 개체의 0부터 시작하는 인덱스입니다.
+ 개체의 값입니다.
+
+
+
+ 의 지정된 인덱스에 요소를 삽입합니다.
+ 요소가 삽입되는 인덱스입니다.
+ 요소의 값입니다.
+
+
+
+ 의 크기가 고정되어 있는지 여부를 나타내는 값을 가져옵니다.
+
+ 가 고정 크기이면 True이고, 그렇지 않으면 false입니다.
+
+
+
+ 이 읽기 전용인지 여부를 나타내는 값을 가져옵니다.
+
+ 이 읽기 전용이면 True이고, 그렇지 않으면 false입니다.
+
+
+ 지정된 인덱스에 있는 요소를 가져오거나 설정합니다.
+ 지정된 인덱스의 요소입니다.
+ 요소의 인덱스입니다.
+
+
+
+ 에서 맨 처음 발견되는 특정 개체를 제거합니다.
+ 제거된 개체의 값입니다.
+
+
+
+ 가 특정 클래스 멤버를 XML 요소의 배열로 serialize하도록 지정합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하며 XML 문서 인스턴스에서 생성된 XML 요소의 이름을 지정합니다.
+
+ 가 생성하는 XML 요소의 이름입니다.
+
+
+ serialize된 배열에 지정되어 있는 XML 요소의 이름을 가져오거나 설정합니다.
+ serialize된 배열의 XML 요소 이름으로,기본값은 가 할당된 멤버의 이름입니다.
+
+
+
+ 에서 생성한 XML 요소 이름이 정규화되었는지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 값 중 하나입니다.기본값은 XmlSchemaForm.None입니다.
+
+
+
+ 가 멤버를 xsi:nil 특성이 true로 설정된 빈 XML 태그로 serialize해야 하는지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 가 xsi:nil 특성을 생성하면 true이고, 그렇지 않으면 false입니다.
+
+
+ XML 요소의 네임스페이스를 가져오거나 설정합니다.
+ XML 요소의 네임스페이스입니다.
+
+
+ 요소가 serialize 또는 deserialize되는 명시적 순서를 가져오거나 설정합니다.
+ 코드가 생성되는 순서입니다.
+
+
+
+ 가 serialize된 배열에 배치할 수 있는 파생 형식을 지정하는 특성을 나타냅니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 XML 문서에 생성된 XML 요소의 이름을 지정합니다.
+ XML 요소의 이름입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 XML 문서에 생성된 XML 요소의 이름 및 생성된 XML 문서에 삽입할 수 있는 을 지정합니다.
+ XML 요소의 이름입니다.
+ serialize할 개체의 입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 serialize된 배열에 삽입할 수 있는 을 지정합니다.
+ serialize할 개체의 입니다.
+
+
+ 생성된 XML 요소의 XML 데이터 형식을 가져오거나 설정합니다.
+ World Wide Web 컨소시엄(www.w3.org) 문서의 "XML Schema Part 2: Datatypes"에 정의된 XSD(XML 스키마 정의) 데이터 형식입니다.
+
+
+ 생성된 XML 요소의 이름을 가져오거나 설정합니다.
+ 생성된 XML 요소의 이름입니다.기본값은 멤버 식별자입니다.
+
+
+ 생성된 XML 요소의 이름이 정규화된 이름인지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 값 중 하나입니다.기본값은 XmlSchemaForm.None입니다.
+
+ 속성이 XmlSchemaForm.Unqualified로 설정되어 있으며 값이 지정되어 있는 경우
+
+
+
+ 가 멤버를 xsi:nil 특성이 true로 설정된 빈 XML 태그로 serialize해야 하는지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 가 xsi:nil 특성을 생성하면 true이고, 그렇지 않으면 false이고 인스턴스가 생성되지 않습니다.기본값은 true입니다.
+
+
+ 생성된 XML 요소의 네임스페이스를 가져오거나 설정합니다.
+ 생성된 XML 요소의 네임스페이스입니다.
+
+
+ XML 요소 계층 구조에서 가 영향을 주는 수준을 가져오거나 설정합니다.
+ 배열의 배열에 있는 인덱스 집합의 인덱스(0부터 시작)입니다.
+
+
+ 배열에 사용할 수 있는 형식을 가져오거나 설정합니다.
+ 배열에 사용할 수 있는 입니다.
+
+
+
+ 개체의 컬렉션을 나타냅니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 를 컬렉션에 추가합니다.
+ 추가된 항목의 인덱스입니다.
+ 컬렉션에 추가할 입니다.
+
+
+
+ 에서 요소를 모두 제거합니다.
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+ 컬렉션에 지정한 가 들어 있는지 여부를 확인합니다.
+ 컬렉션에 지정한 가 있으면 true이고, 그렇지 않으면 false입니다.
+ 확인할 입니다.
+
+
+ 지정한 대상 인덱스에서 시작하여 배열을 컬렉션에 복사합니다.
+ 컬렉션에 복사할 개체의 배열입니다.
+ 복사된 특성이 시작되는 인덱스입니다.
+
+
+
+ 에 포함된 요소 수를 가져옵니다.
+
+ 에 포함된 요소 수입니다.
+
+
+ 전체 에 대한 열거자를 반환합니다.
+ 전체 의 입니다.
+
+
+ 컬렉션에서 지정한 가 처음 나타나는 인덱스(0부터 시작)를 반환하고, 컬렉션에 특성이 없으면 -1을 반환합니다.
+ 컬렉션에서 의 첫 번째 인덱스이고, 컬렉션에 특성이 없으면 -1입니다.
+ 컬렉션에서 찾을 입니다.
+
+
+ 지정된 인덱스의 컬렉션에 를 삽입합니다.
+ 특성이 삽입되는 인덱스입니다.
+ 삽입할 입니다.
+
+
+ 지정한 인덱스에 있는 항목을 가져오거나 설정합니다.
+ 지정된 인덱스에 있는 입니다.
+ 가져오거나 설정할 컬렉션 멤버의 인덱스(0부터 시작)입니다.
+
+
+
+ 가 컬렉션에 있는 경우 컬렉션에서 이를 제거합니다.
+ 제거할 입니다.
+
+
+ 지정한 인덱스에서 항목을 제거합니다.
+ 제거할 항목의 인덱스(0부터 시작)입니다.
+
+ 가 의 유효한 인덱스가 아닌 경우
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+ 대상 배열의 지정된 인덱스에서 시작하여 전체 을 호환되는 1차원 에 복사합니다.
+
+ 에서 복사한 요소의 대상인 일차원 입니다.에는 0부터 시작하는 인덱스가 있어야 합니다.
+
+
+
+ 에 대한 액세스가 동기화되어 스레드로부터 안전하게 보호되는지 여부를 나타내는 값을 가져옵니다.
+
+ 에 대한 액세스가 동기화되어 스레드로부터 안전하게 보호되면 true이고, 그렇지 않으면 false입니다.
+
+
+
+ 개체를 의 끝 부분에 추가합니다.
+
+ 가 추가된 인덱스입니다.
+
+ 의 끝에 추가할 입니다.값은 null이 될 수 있습니다.
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+ 컬렉션에 지정한 이 들어 있는지 여부를 확인합니다.
+ 컬렉션에 지정한 가 있으면 true이고, 그렇지 않으면 false입니다.
+
+
+ 컬렉션에서 지정한 가 처음 나타나는 인덱스(0부터 시작)를 반환하고, 컬렉션에 특성이 없으면 1을 반환합니다.
+ 컬렉션에서 의 첫 번째 인덱스이고, 컬렉션에 특성이 없으면 -1입니다.
+
+
+
+ 의 지정된 인덱스에 요소를 삽입합니다.
+
+ 를 삽입해야 하는 인덱스(0부터 시작)입니다.
+ 삽입할 입니다.값은 null이 될 수 있습니다.
+
+ 가 0보다 작은 경우또는 가 보다 큰 경우
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+
+ 의 크기가 고정되어 있는지 여부를 나타내는 값을 가져옵니다.
+
+ 의 크기가 고정되어 있으면 true이고, 그렇지 않으면 false입니다.
+
+
+
+ 이 읽기 전용인지 여부를 나타내는 값을 가져옵니다.
+
+ 이 읽기 전용이면 true이고, 그렇지 않으면 false입니다.
+
+
+ 지정한 인덱스에 있는 항목을 가져오거나 설정합니다.
+ 지정된 인덱스에 있는 입니다.
+ 가져오거나 설정할 컬렉션 멤버의 인덱스(0부터 시작)입니다.
+
+
+
+ 에서 맨 처음 발견되는 특정 개체를 제거합니다.
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+
+ 가 해당 클래스 멤버를 XML 특성으로 serialize하도록 지정합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 생성된 XML 특성의 이름을 지정합니다.
+
+ 가 생성하는 XML 특성의 이름입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+ 생성되는 XML 특성의 이름입니다.
+ 특성을 저장하는 데 사용되는 입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+ 특성을 저장하는 데 사용되는 입니다.
+
+
+ XML 특성의 이름을 가져오거나 설정합니다.
+ XML 특성의 이름입니다.기본값은 멤버 이름입니다.
+
+
+
+ 에 의해 생성된 XML 특성의 XSD 데이터 형식을 가져오거나 설정합니다.
+ World Wide Web 컨소시엄(www.w3.org) 문서의 "XML Schema Part 2: Datatypes"에 정의된 XSD(XML 스키마 문서) 데이터 형식입니다.
+
+
+
+ 를 통해 생성된 XML 특성의 이름이 정규화된 이름인지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 값 중 하나입니다.기본값은 XmlForm.None입니다.
+
+
+ XML 특성의 XML 네임스페이스를 가져오거나 설정합니다.
+ XML 특성의 XML 네임스페이스입니다.
+
+
+ XML 특성의 복합 형식을 가져오거나 설정합니다.
+ XML 특성의 형식입니다.
+
+
+
+ 를 사용하여 개체를 serialize하거나 deserialize하면 속성, 필드 및 클래스 특성을 재정의할 수 있습니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 개체를 개체 컬렉션에 추가합니다. 매개 변수는 재정의할 개체를 지정합니다. 매개 변수는 재정의되는 멤버의 이름을 지정합니다.
+ 재정의할 개체의 입니다.
+ 재정의할 멤버의 이름입니다.
+ 재정의 특성을 나타내는 개체입니다.
+
+
+
+ 개체를 개체 컬렉션에 추가합니다. 매개 변수는 개체로 재정의할 개체를 지정합니다.
+ 재정의되는 개체의 입니다.
+ 재정의 특성을 나타내는 개체입니다.
+
+
+ 지정한 기본 클래스 형식과 관련된 개체를 가져옵니다.
+ 재정의 특성의 컬렉션을 나타내는 입니다.
+ 검색할 특성의 컬렉션과 관련된 기본 클래스 입니다.
+
+
+ 지정한 (기본 클래스) 형식과 관련된 개체를 가져옵니다.해당 멤버 매개 변수는 재정의되는 기본 클래스 멤버를 지정합니다.
+ 재정의 특성의 컬렉션을 나타내는 입니다.
+ 원하는 특성의 컬렉션과 관련된 기본 클래스 입니다.
+ 반환할 를 지정하는 재정의된 멤버의 이름입니다.
+
+
+
+ 가 개체를 serialize 및 deserialize하는 방식을 제어하는 특성 개체의 컬렉션을 나타냅니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 재정의할 를 가져오거나 설정합니다.
+ 재정의할 입니다.
+
+
+ 재정의할 개체의 컬렉션을 가져옵니다.
+
+ 개체의 컬렉션을 나타내는 개체입니다.
+
+
+
+ 가 배열을 반환하는 공용 필드 또는 읽기/쓰기 속성을 serialize하는 방식을 지정하는 개체를 가져오거나 설정합니다.
+
+ 가 배열을 반환하는 공용 필드 또는 읽기/쓰기 속성을 serialize하는 방식을 지정하는 입니다.
+
+
+
+ 가 공용 필드 또는 읽기/쓰기 속성에 의해 반환된 배열 내에 삽입된 항목을 serialize하는 방식을 지정하는 개체 컬렉션을 가져오거나 설정합니다.
+
+ 개체의 컬렉션을 포함하는 개체입니다.
+
+
+
+ 가 공용 필드 또는 공용 읽기/쓰기 속성을 XML 특성으로 serialize하는 방식을 지정하는 개체를 가져오거나 설정합니다.
+ 공용 필드 또는 읽기/쓰기 속성을 XML 특성으로 serialize하는 것을 제어하는 입니다.
+
+
+ 일련의 선택을 명확하게 구별하는 개체를 가져오거나 설정합니다.
+ xsi:choice 요소로 serialize되는 클래스 멤버에 적용할 수 있는 입니다.
+
+
+ XML 요소 또는 특성의 기본값을 가져오거나 설정합니다.
+ XML 요소 또는 특성의 기본값을 나타내는 입니다.
+
+
+
+ 가 공용 필드 또는 읽기/쓰기 속성을 XML 요소로 serialize하는 방식을 지정하는 개체의 컬렉션을 가져옵니다.
+
+ 개체의 컬렉션을 포함하는 입니다.
+
+
+
+ 가 열거형 멤버를 serialize하는 방식을 지정하는 개체를 가져오거나 설정합니다.
+
+ 가 열거형 멤버를 serialize하는 방식을 지정하는 입니다.
+
+
+
+ 가 공용 필드 또는 읽기/쓰기 속성을 serialize하는지 여부를 지정하는 값을 가져오거나 설정합니다.
+
+ 가 필드 또는 속성을 serialize하지 않으면 true이고, 그렇지 않으면 false입니다.
+
+
+
+ 개체를 반환하는 멤버가 들어 있는 개체가 재정의될 때 모든 네임스페이스 선언을 유지할지 여부를 지정하는 값을 가져오거나 설정합니다.
+ 네임스페이스 선언을 유지해야 한다면 true이고, 그렇지 않으면 false입니다.
+
+
+
+ 가 클래스를 XML 루트 요소로 serialize하는 방식을 지정하는 개체를 가져오거나 설정합니다.
+ XML 루트 요소로 지정된 클래스를 재정의하는 입니다.
+
+
+
+ 가 공용 필드 또는 공용 읽기/쓰기 속성을 XML 텍스트로 serialize하도록 하는 개체를 가져오거나 설정합니다.
+ 공용 속성 또는 필드의 기본 serialization을 재정의하는 입니다.
+
+
+
+ 가 적용된 클래스를 가 serialize하는 방식을 지정하는 개체를 가져오거나 설정합니다.
+ 클래스 선언에 적용된 를 재정의하는 입니다.
+
+
+ 열거형을 사용하여 멤버를 추가로 검색할 수 있음을 지정합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+ 선택을 검색하는 데 사용하는 열거형을 반환하는 멤버 이름입니다.
+
+
+ 형식을 검색하는 경우 사용할 열거형을 반환하는 필드의 이름을 가져오거나 설정합니다.
+ 열거형을 반환하는 필드의 이름입니다.
+
+
+ 공용 필드 또는 속성을 포함하는 개체를 가 serialize하거나 deserialize할 때 해당 필드나 속성이 XML 요소를 나타냄을 의미합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 XML 요소의 이름을 지정합니다.
+ serialize된 멤버의 XML 요소 이름입니다.
+
+
+
+ 의 새 인스턴스를 초기화하고 XML 요소의 이름을 지정하며 가 적용되는 멤버의 파생 형식도 지정합니다.이 멤버 형식은 가 이를 포함하는 개체를 serialize할 때 사용됩니다.
+ serialize된 멤버의 XML 요소 이름입니다.
+ 멤버의 형식에서 파생된 개체의 입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 가 적용되는 멤버에 대한 형식을 지정합니다.이 형식은 가 이를 포함하는 개체를 serialize하거나 deserialize할 때 사용됩니다.
+ 멤버의 형식에서 파생된 개체의 입니다.
+
+
+
+ 에 의해 생성된 XML 요소의 XSD(XML 스키마 정의) 데이터 형식을 가져오거나 설정합니다.
+ XML 스키마 데이터 형식에 대한 자세한 내용은 World Wide Web 컨소시엄(www.w3.org) 문서 "XML Schema Part 2: Datatypes"를 참조하십시오.
+ 지정한 XML 스키마 데이터 형식을 .NET 데이터 형식에 매핑할 수 없는 경우
+
+
+ 생성된 XML 요소의 이름을 가져오거나 설정합니다.
+ 생성된 XML 요소의 이름입니다.기본값은 멤버 식별자입니다.
+
+
+ 요소가 한정되었는지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 값 중 하나입니다.기본값은 입니다.
+
+
+
+ 가 null로 설정된 멤버를 xsi:nil 특성이 true로 설정된 빈 태그로 serialize해야 하는지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 가 xsi:nil 특성을 생성하면 true이고, 그렇지 않으면 false입니다.
+
+
+ 클래스가 serialize될 때 결과로 만들어지는 XML 요소에 할당된 네임스페이스를 가져오거나 설정합니다.
+ XML 요소의 네임스페이스입니다.
+
+
+ 요소가 serialize 또는 deserialize되는 명시적 순서를 가져오거나 설정합니다.
+ 코드가 생성되는 순서입니다.
+
+
+ XML 요소를 나타내는 데 사용되는 개체 형식을 가져오거나 설정합니다.
+ 멤버의 입니다.
+
+
+
+ 가 클래스를 serialize하는 기본 방식을 재정의하는 데 사용하는 개체의 컬렉션을 나타냅니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 를 컬렉션에 추가합니다.
+ 새로 추가한 항목의 인덱스(0부터 시작)입니다.
+ 추가할 입니다.
+
+
+
+ 에서 요소를 모두 제거합니다.
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+ 컬렉션에 지정된 개체가 들어 있는지 여부를 확인합니다.
+ 개체가 컬렉션에 있으면 true이고, 그렇지 않으면 false입니다.
+ 찾아볼 입니다.
+
+
+
+ 또는 그 일부를 1차원 배열에 복사합니다.
+ 복사된 요소를 보유하는 배열입니다.
+
+ 에서 복사가 시작되는 인덱스(0부터 시작)입니다.
+
+
+
+ 에 포함된 요소 수를 가져옵니다.
+
+ 에 포함된 요소 수입니다.
+
+
+ 전체 에 대한 열거자를 반환합니다.
+ 전체 의 입니다.
+
+
+ 지정된 의 인덱스를 가져옵니다.
+
+ 의 인덱스이며 0에서 시작합니다.
+ 인덱스가 검색되는 입니다.
+
+
+
+ 를 컬렉션에 삽입합니다.
+ 멤버가 삽입된 0부터 시작하는 인덱스입니다.
+ 삽입할 입니다.
+
+
+ 지정된 인덱스에 있는 요소를 가져오거나 설정합니다.
+ 지정된 인덱스의 요소입니다.
+ 가져오거나 설정할 요소의 인덱스(0부터 시작)입니다.
+
+ 가 의 유효한 인덱스가 아닌 경우
+ 속성이 설정되어 있으며 가 읽기 전용인 경우
+
+
+ 컬렉션에서 지정된 개체를 제거합니다.
+ 컬렉션에서 제거할 입니다.
+
+
+ 지정한 인덱스에서 항목을 제거합니다.
+ 제거할 항목의 인덱스(0부터 시작)입니다.
+
+ 가 의 유효한 인덱스가 아닌 경우
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+ 대상 배열의 지정된 인덱스에서 시작하여 전체 을 호환되는 1차원 에 복사합니다.
+
+ 에서 복사한 요소의 대상인 일차원 입니다.에는 0부터 시작하는 인덱스가 있어야 합니다.
+
+
+
+ 에 대한 액세스가 동기화되어 스레드로부터 안전하게 보호되는지 여부를 나타내는 값을 가져옵니다.
+
+ 에 대한 액세스가 동기화되어 스레드로부터 안전하게 보호되면 true이고, 그렇지 않으면 false입니다.
+
+
+
+ 에 대한 액세스를 동기화하는 데 사용할 수 있는 개체를 가져옵니다.
+
+ 에 대한 액세스를 동기화하는 데 사용할 수 있는 개체입니다.
+
+
+ 개체를 의 끝 부분에 추가합니다.
+
+ 가 추가된 인덱스입니다.
+
+ 의 끝에 추가할 입니다.값은 null이 될 수 있습니다.
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+
+ 에 특정 값이 들어 있는지 여부를 확인합니다.
+
+ 가 에 있으면 true이고, 그렇지 않으면 false입니다.
+
+ 에서 찾을 개체입니다.
+
+
+
+ 에서 특정 항목의 인덱스를 확인합니다.
+ 목록에 있으면 의 인덱스이고, 그렇지 않으면 -1입니다.
+
+ 에서 찾을 개체입니다.
+
+
+
+ 의 지정된 인덱스에 요소를 삽입합니다.
+
+ 를 삽입해야 하는 인덱스(0부터 시작)입니다.
+ 삽입할 입니다.값은 null이 될 수 있습니다.
+
+ 가 0보다 작은 경우또는 가 보다 큰 경우
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+
+ 의 크기가 고정되어 있는지 여부를 나타내는 값을 가져옵니다.
+
+ 의 크기가 고정되어 있으면 true이고, 그렇지 않으면 false입니다.
+
+
+
+ 이 읽기 전용인지 여부를 나타내는 값을 가져옵니다.
+
+ 이 읽기 전용이면 true이고, 그렇지 않으면 false입니다.
+
+
+ 지정된 인덱스에 있는 요소를 가져오거나 설정합니다.
+ 지정된 인덱스의 요소입니다.
+ 가져오거나 설정할 요소의 인덱스(0부터 시작)입니다.
+
+ 가 의 유효한 인덱스가 아닌 경우
+ 속성이 설정되어 있으며 가 읽기 전용인 경우
+
+
+
+ 에서 맨 처음 발견되는 특정 개체를 제거합니다.
+
+ 가 읽기 전용인 경우또는 의 크기가 고정되어 있는 경우
+
+
+
+ 가 열거형 멤버를 serialize하는 방식을 제어합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 가 열거형을 serialize하거나 deserialize할 때 생성하거나 인식하는 XML 값을 지정합니다.
+ 열거형 멤버의 재정의 이름입니다.
+
+
+
+ 가 열거형을 serialize할 때 XML 문서 인스턴스에서 생성된 값 또는 열거형 멤버를 deserialize할 때 인식된 값을 가져오거나 설정합니다.
+
+ 가 열거형을 serialize할 때 XML 문서 인스턴스에서 생성된 값, 또는 열거형 멤버를 deserialize할 때 인식된 값입니다.
+
+
+
+ 의 메서드를 호출하여 공용 필드 또는 공용 읽기/쓰기 속성 값을 serialize하지 않도록 합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 가 개체를 serialize하거나 deserialize할 때 형식을 인식할 수 있게 합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+ 포함할 개체의 입니다.
+
+
+ 포함할 개체의 형식을 가져오거나 설정합니다.
+ 포함할 개체의 입니다.
+
+
+ 대상 속성, 매개 변수, 반환 값 또는 클래스 멤버가 XML 문서 내에서 사용되는 네임스페이스와 연관된 접두사를 포함하도록 지정합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 특성 대상의 XML serialization을 XML 루트 요소로 제어합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 XML 루트 요소의 이름을 지정합니다.
+ XML 루트 요소의 이름입니다.
+
+
+ XML 루트 요소의 XSD 데이터 형식을 가져오거나 설정합니다.
+ World Wide Web 컨소시엄(www.w3.org) 문서의 "XML Schema Part 2: Datatypes"에 정의된 XSD(XML 스키마 문서) 데이터 형식입니다.
+
+
+
+ 클래스의 및 메서드에 의해 각각 생성되고 인식되는 XML 요소의 이름을 가져오거나 설정합니다.
+ XML 문서 인스턴스에서 생성되고 인식되는 XML 루트 요소의 이름입니다.기본값은 serialize된 클래스의 이름입니다.
+
+
+
+ 가 null로 설정된 멤버를 true로 설정된 xsi:nil 특성으로 serialize해야 하는지 여부를 나타내는 값을 가져오거나 설정합니다.
+
+ 가 xsi:nil 특성을 생성하면 true이고, 그렇지 않으면 false입니다.
+
+
+ XML 루트 요소의 네임스페이스를 가져오거나 설정합니다.
+ XML 요소의 네임스페이스입니다.
+
+
+ XML 문서로 개체를 serialize하고 XML 문서에서 개체를 deserialize합니다.를 사용하면 개체가 XML로 인코딩되는 방식을 제어할 수 있습니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 지정된 형식의 개체를 XML 문서로 serialize하고 XML 문서를 지정된 형식의 개체로 deserialize할 수 있는 클래스의 새 인스턴스를 초기화합니다.
+ 이 가 serialize할 수 있는 개체의 형식입니다.
+
+
+ 지정된 형식의 개체를 XML 문서로 serialize하고 XML 문서를 지정된 형식의 개체로 deserialize할 수 있는 클래스의 새 인스턴스를 초기화합니다.모든 XML 요소의 기본 네임스페이스를 지정합니다.
+ 이 가 serialize할 수 있는 개체의 형식입니다.
+ 모든 XML 요소에 사용할 기본 네임스페이스입니다.
+
+
+ 지정된 형식의 개체를 XML 문서로 serialize하고 XML 문서를 지정된 형식의 개체로 deserialize할 수 있는 클래스의 새 인스턴스를 초기화합니다.필드 또는 속성이 배열을 반환하는 경우 매개 변수는 배열에 삽입될 수 있는 개체를 지정합니다.
+ 이 가 serialize할 수 있는 개체의 형식입니다.
+ serialize할 추가 개체 형식으로 이루어진 배열입니다.
+
+
+ 지정된 형식의 개체를 XML 문서로 serialize하고 XML 문서를 지정된 형식의 개체로 deserialize할 수 있는 클래스의 새 인스턴스를 초기화합니다.serialize되는 각 개체는 클래스의 인스턴스를 포함할 수 있으며, 이 오버로드는 다른 클래스로 재정의할 수 있습니다.
+ serialize할 개체의 형식입니다.
+
+ 입니다.
+
+
+
+ 형식의 개체를 XML 문서 인스턴스로 serialize하고 XML 문서 인스턴스를 형식의 개체로 deserialize할 수 있는 클래스의 새 인스턴스를 초기화합니다.serialize되는 각 개체는 클래스의 인스턴스를 포함할 수 있으며, 이 오버로드에서 그 클래스를 다른 클래스로 재정의합니다.또한 이 오버로드는 모든 XML 요소의 기본 네임스페이스 및 XML 루트 요소로 사용할 클래스를 지정합니다.
+ 이 가 serialize할 수 있는 개체의 형식입니다.
+
+ 매개 변수에 지정된 클래스의 동작을 확장하거나 재정의하는 입니다.
+ serialize할 추가 개체 형식으로 이루어진 배열입니다.
+ XML 요소 속성을 정의하는 입니다.
+ XML 문서에 있는 모든 XML 요소의 기본 네임스페이스입니다.
+
+
+ 지정된 형식의 개체를 XML 문서로 serialize하고 XML 문서를 지정된 형식의 개체로 deserialize할 수 있는 클래스의 새 인스턴스를 초기화합니다.또한 XML 루트 요소로 사용할 클래스를 지정합니다.
+ 이 가 serialize할 수 있는 개체의 형식입니다.
+ XML 루트 요소를 나타내는 입니다.
+
+
+ 이 가 지정된 XML 문서를 deserialize할 수 있는지 여부를 나타내는 값을 가져옵니다.
+
+ 가 가리키는 개체를 이 가 deserialize할 수 있으면 true이고, 그렇지 않으면 false입니다.
+ deserialize할 문서를 가리키는 입니다.
+
+
+ 지정된 에 포함된 XML 문서를 deserialize합니다.
+ deserialize되는 입니다.
+ deserialize할 XML 문서를 포함하는 입니다.
+
+
+ 지정된 에 포함된 XML 문서를 deserialize합니다.
+ deserialize되는 입니다.
+ deserialize할 XML 문서를 포함하는 입니다.
+ deserialization 중 오류가 발생했습니다. 속성을 사용하여 원래 예외를 사용할 수 있습니다.
+
+
+ 지정된 에 포함된 XML 문서를 deserialize합니다.
+ deserialize되는 입니다.
+ deserialize할 XML 문서를 포함하는 입니다.
+ deserialization 중 오류가 발생했습니다. 속성을 사용하여 원래 예외를 사용할 수 있습니다.
+
+
+ 형식 배열에서 만든 개체의 배열을 반환합니다.
+
+ 개체의 배열입니다.
+
+ 개체로 이루어진 배열입니다.
+
+
+ 지정된 를 serialize하고 지정된 을 사용하여 XML 문서를 파일에 씁니다.
+ XML 문서를 쓰는 데 사용되는 입니다.
+ serialize할 입니다.
+ serialization 중 오류가 발생했습니다. 속성을 사용하여 원래 예외를 사용할 수 있습니다.
+
+
+ 지정된 를 serialize하고 지정된 네임스페이스를 참조하는 지정된 을 사용하여 XML 문서를 파일에 씁니다.
+ XML 문서를 쓰는 데 사용되는 입니다.
+ serialize할 입니다.
+ 개체에서 참조하는 입니다.
+ serialization 중 오류가 발생했습니다. 속성을 사용하여 원래 예외를 사용할 수 있습니다.
+
+
+ 지정된 를 serialize하고 지정된 를 사용하여 XML 문서를 파일에 씁니다.
+ XML 문서를 쓰는 데 사용되는 입니다.
+ serialize할 입니다.
+
+
+ 지정된 를 serialize하고 지정된 를 사용하여 XML 문서를 파일에 쓰며 지정된 네임스페이스를 참조합니다.
+ XML 문서를 쓰는 데 사용되는 입니다.
+ serialize할 입니다.
+ 생성된 XML 문서의 네임스페이스를 포함하는 입니다.
+ serialization 중 오류가 발생했습니다. 속성을 사용하여 원래 예외를 사용할 수 있습니다.
+
+
+ 지정된 를 serialize하고 지정된 를 사용하여 XML 문서를 파일에 씁니다.
+ XML 문서를 쓰는 데 사용되는 입니다.
+ serialize할 입니다.
+ serialization 중 오류가 발생했습니다. 속성을 사용하여 원래 예외를 사용할 수 있습니다.
+
+
+ 지정된 를 serialize하고 지정된 를 사용하여 XML 문서를 파일에 쓰며 지정된 네임스페이스를 참조합니다.
+ XML 문서를 쓰는 데 사용되는 입니다.
+ serialize할 입니다.
+ 개체에서 참조하는 입니다.
+ serialization 중 오류가 발생했습니다. 속성을 사용하여 원래 예외를 사용할 수 있습니다.
+
+
+
+ 가 XML 문서 인스턴스에서 정규화된 이름을 생성하는 데 사용하는 XML 네임스페이스 및 접두사를 포함합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+ 접두사와 네임스페이스 쌍의 컬렉션을 포함하는 XmlSerializerNamespaces의 지정된 인스턴스를 사용하여 클래스의 새 인스턴스를 초기화합니다.
+ 네임스페이스와 접두사 쌍을 포함하는 의 인스턴스입니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+ 개체로 이루어진 배열입니다.
+
+
+
+ 개체에 접두사와 네임스페이스 쌍을 추가합니다.
+ XML 네임스페이스와 관련된 접두사입니다.
+ XML 네임스페이스입니다.
+
+
+ 컬렉션에 있는 접두사와 네임스페이스 쌍의 개수를 가져옵니다.
+ 컬렉션에 있는 접두사와 네임스페이스 쌍의 개수입니다.
+
+
+
+ 개체에 있는 접두사와 네임스페이스 쌍으로 이루어진 배열을 가져옵니다.
+ XML 문서에서 정규화된 이름으로 사용되는 개체로 이루어진 배열입니다.
+
+
+ 멤버가 포함된 클래스가 serialize되거나 deserialize될 때 멤버를 XML 텍스트로 처리하도록 에 지정합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+ serialize할 개체의 입니다.
+
+
+
+ 에 의해 생성된 텍스트의 XSD(XML 스키마 정의) 데이터 형식을 가져오거나 설정합니다.
+ World Wide Web 컨소시엄(www.w3.org) 문서의 "XML Schema Part 2: Datatypes"에 정의된 XSD(XML 스키마 정의) 데이터 형식입니다.
+ 지정한 XML 스키마 데이터 형식을 .NET 데이터 형식에 매핑할 수 없는 경우
+ 지정한 XML 스키마 데이터 형식은 속성에 맞지 않으므로 멤버 형식으로 변환할 수 없는 경우
+
+
+ 멤버의 형식을 가져오거나 설정합니다.
+ 멤버의 입니다.
+
+
+
+ 가 특성 대상을 serialize할 때 생성되는 XML 스키마를 제어합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화합니다.
+
+
+
+ 클래스의 새 인스턴스를 초기화하고 XML 형식의 이름을 지정합니다.
+
+ 가 클래스 인스턴스를 serialize할 때 생성하고 클래스 인스턴스를 deserialize할 때 인식하는 XML 형식의 이름입니다.
+
+
+ 결과 스키마 형식이 XSD 익명 형식인지 여부를 결정하는 값을 가져오거나 설정합니다.
+ 결과 스키마 형식이 XSD 익명 형식이면 true이고, 그렇지 않으면 false입니다.
+
+
+ XML 스키마 문서에 형식을 포함할지 여부를 나타내는 값을 가져오거나 설정합니다.
+ XML 스키마 문서에 형식을 포함하려면 true이고, 그렇지 않으면 false입니다.
+
+
+ XML 형식의 네임스페이스를 가져오거나 설정합니다.
+ XML 형식의 네임스페이스입니다.
+
+
+ XML 형식의 이름을 가져오거나 설정합니다.
+ XML 형식의 이름입니다.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/ru/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/ru/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..2cf2723
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/ru/System.Xml.XmlSerializer.xml
@@ -0,0 +1,924 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ Указывает, что член (поле, возвращающее массив объектов ) может содержать любые атрибуты XML.
+
+
+ Конструирует новый экземпляр класса .
+
+
+ Указывает, что член (поле, возвращающее массив объектов или ) содержит объекты, представляющие любые элементы XML, не имеющие соответствующего члена в сериализуемом или десериализуемом объекте.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса и указывает имя элемента XML, сгенерированного в документе XML.
+ Имя XML-элемента, созданного при помощи .
+
+
+ Инициализация нового экземпляра класса и указывает имя элемента XML, сгенерированного в документе XML, и его пространство имен XML.
+ Имя XML-элемента, созданного при помощи .
+ Пространство имен XML элемента XML.
+
+
+ Возвращает или задает имя элемента XML.
+ Имя элемента XML.
+ Имя элемента члена массива не соответствует имени элемента, указанному свойством .
+
+
+ Возвращает или задает пространство имен XML, сгенерированное в документе XML.
+ Пространство имен XML.
+
+
+ Получает или задает порядок сериализации или десериализации элементов.
+ Порядок генерирования кода.
+
+
+ Представляет коллекцию объектов .
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Добавляет в коллекцию объект .
+ Индекс только что добавленного объекта .
+ Добавляемый объект .
+
+
+ Удаляет все объекты из .Этот метод не может быть переопределен.
+
+
+ Получает значение, которое указывает, содержится ли заданный объект в коллекции.
+ Значение true, если объект содержится в коллекции; в противном случае — значение false.
+ Нужный объект .
+
+
+ Копирует коллекцию целиком в совместимый одномерный массив объектов , начиная с заданного индекса целевого массива.
+ Одномерный массив объектов , который является конечным объектом копирования элементов коллекции.Индексация в массиве должна вестись с нуля.
+ Индекс (с нуля) в массиве , с которого начинается копирование.
+
+
+ Получает число элементов, содержащихся в экземпляре класса .
+ Число элементов, содержащихся в экземпляре класса .
+
+
+ Возвращает перечислитель, осуществляющий перебор элементов списка .
+ Перечислитель, выполняющий итерацию в наборе .
+
+
+ Получает индекс заданного ограничения .
+ Индекс указанного объекта .
+ Объект с нужным индексом.
+
+
+ Вставляет объект в коллекцию по заданному индексу.
+ Индекс вставки элемента .
+ Вставляемый объект .
+
+
+ Получает или задает объект с указанным индексом.
+ Объект по указанному индексу.
+ Индекс объекта .
+
+
+ Удаляет указанную панель объект из коллекции.
+ Объект для удаления.
+
+
+ Удаляет элемент списка с указанным индексом.Этот метод не может быть переопределен.
+ Индекс элемента, который должен быть удален.
+
+
+ Копирует коллекцию целиком в совместимый одномерный массив объектов , начиная с заданного индекса целевого массива.
+ Одномерный массив.
+ Заданный индекс.
+
+
+ Получает значение, показывающее, является ли доступ к коллекции синхронизированным (потокобезопасным).
+ True, если доступ к коллекции является синхронизированным; в противном случае — значение false.
+
+
+ Получает объект, с помощью которого можно синхронизировать доступ к коллекции .
+ Объект, который может использоваться для синхронизации доступа к коллекции .
+
+
+ Добавляет объект в конец коллекции .
+ Добавленный объект для коллекции.
+ Значение объекта для добавления в коллекцию.
+
+
+ Определяет, содержит ли интерфейс определенный элемент.
+ True, если содержит определенный элемент; в противном случае — значение false.
+ Значение элемента.
+
+
+ Осуществляет поиск указанного объекта и возвращает индекс (с нуля) первого вхождения, найденного в пределах всего .
+ Отсчитываемый от нуля индекс объекта.
+ Значение объекта.
+
+
+ Добавляет элемент в список в позиции с указанным индексом.
+ Индекс, указывающий, куда вставить элемент.
+ Значение элемента.
+
+
+ Получает значение, показывающее, имеет ли фиксированный размер.
+ True, если коллекция имеет фиксированный размер; в противном случае — значение false.
+
+
+ Получает значение, указывающее, доступна ли только для чтения.
+ Значение True, если доступна только для чтения; в противном случае — значение false.
+
+
+ Получает или задает элемент с указанным индексом.
+ Элемент с заданным индексом.
+ Индекс элемента.
+
+
+ Удаляет первый экземпляр указанного объекта из коллекции .
+ Значение удаленного объекта.
+
+
+ Указывает, что необходимо выполнить сериализацию конкретного члена класса в качестве массива XML-элементов.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса и указывает имя XML-элемента, созданного в экземпляре XML-документа.
+ Имя XML-элемента, созданного при помощи .
+
+
+ Получает или задает имя XML-элемента, присвоенное сериализованному массиву.
+ Имя XML-элемента сериализованного массива.По умолчанию используется имя члена, которому назначается .
+
+
+ Получает или задает значение, которое показывает, является ли имя XML-элемента, созданного при помощи , квалифицированным или неквалифицированным.
+ Одно из значений .Значение по умолчанию — XmlSchemaForm.None.
+
+
+ Получает или задает значение, которое показывает, должен ли выполнить сериализацию члена как пустого тега XML с атрибутом xsi:nil, для которого установлено значение true.
+ true, если создает атрибут xsi:nil; в противном случае, false.
+
+
+ Получает или задает пространство имен XML-элемента.
+ Пространство имен XML-элемента.
+
+
+ Получает или задает порядок сериализации или десериализации элементов.
+ Порядок генерирования кода.
+
+
+ Представляет атрибут, который определяет производные типы, которые могут быть размещены в сериализованном массиве.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса и указывает имя элемента XML, сгенерированного в документе XML.
+ Имя элемента XML.
+
+
+ Инициализация нового экземпляра класса и определяет имя элемента XML, сгенерированного в документе XML, и , который может быть вставлен в сгенерированный документ XML.
+ Имя элемента XML.
+ Тип сериализуемого объекта.
+
+
+ Инициализация нового экземпляра класса и определяет , который может быть вставлен в сериализованный массив.
+ Тип сериализуемого объекта.
+
+
+ Возвращает или задает тип данных XML сгенерированного элемента XML.
+ Тип данных определения схемы XML (XSD) согласно документу "Схема XML, часть 2: типы данных" консорциума World Wide Web (www.w3.org).
+
+
+ Получает или задает имя созданного XML-элемента
+ Имя созданного XML-элемента.По умолчанию используется идентификатор члена
+
+
+ Возвращает или задает значение, которое указывает, является ли имя сгенерированного элемента XML полным.
+ Одно из значений .Значение по умолчанию — XmlSchemaForm.None.
+ Свойство имеет значение XmlSchemaForm.Unqualified, а свойство задано.
+
+
+ Получает или задает значение, которое показывает, должен ли выполнить сериализацию члена как пустого тега XML с атрибутом xsi:nil, для которого установлено значение true.
+ true, если генерирует атрибут xsi:nil, в противном случае false, а экземпляр не генерируется.Значение по умолчанию — true.
+
+
+ Возвращает или задает пространство имен сгенерированного элемента XML.
+ Пространство имен сгенерированного элемента XML.
+
+
+ Возвращает или задает уровень в иерархии элементов XML, на который воздействует .
+ Индекс, начинающийся с нуля, набора индексов в массиве массивов.
+
+
+ Возвращает или задает тип, допустимый в массиве.
+
+ , допустимый в массиве.
+
+
+ Представляет коллекцию объектов .
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Добавляет в коллекцию объект .
+ Индекс добавляемого элемента.
+ Объект , добавляемый в коллекцию.
+
+
+ Удаляет все элементы из коллекции .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Определяет, содержит ли коллекция указанный .
+ Значение true, если коллекция содержит заданный объект ; в противном случае — значение false.
+ Объект для проверки.
+
+
+ Копирует в коллекцию массив , начиная с заданного индекса целевого объекта.
+ Массив объектов для копирования в коллекцию.
+ Индекс, по которому будут расположены скопированные атрибуты.
+
+
+ Получает число элементов, содержащихся в интерфейсе .
+ Число элементов, содержащихся в интерфейсе .
+
+
+ Возвращает перечислитель для класса .
+ Интерфейс для массива .
+
+
+ Возвращает отсчитываемый от нуля индекс первого вхождения заданного в коллекции либо значение -1, если атрибут не обнаружен в коллекции.
+ Первый индекс объекта в коллекции или значение -1, если атрибут не обнаружен в коллекции.
+ Объект для поиска в коллекции.
+
+
+ Вставляет элемент в коллекцию по заданному индексу.
+ Индекс, по которому вставлен атрибут.
+ Объект для вставки.
+
+
+ Возвращает или задает элемент с указанным индексом.
+ Объект с указанным индексом.
+ Начинающийся с нуля индекс полученного или заданного члена коллекции.
+
+
+ Удаляет объект из коллекции, если он содержится в ней.
+ Объект для удаления.
+
+
+ Удаляет элемент по указанному индексу.
+ Отсчитываемый от нуля индекс удаляемого элемента.
+ Параметр не является допустимым индексом в списке .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Копирует целый массив в совместимый одномерный массив , начиная с заданного индекса целевого массива.
+ Одномерный массив , в который копируются элементы из интерфейса .Индексация в массиве должна начинаться с нуля.
+
+
+ Получает значение, показывающее, является ли доступ к коллекции синхронизированным (потокобезопасным).
+ Значение true, если доступ к коллекции является синхронизированным (потокобезопасным); в противном случае — значение false.
+
+
+
+ Добавляет объект в конец коллекции .
+ Индекс коллекции , по которому был добавлен параметр .
+ Объект , добавляемый в конец коллекции .Допускается значение null.
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Определяет, содержит ли коллекция указанный объект .
+ Значение true, если коллекция содержит заданный объект ; в противном случае — значение false.
+
+
+ Возвращает отсчитываемый от нуля индекс первого вхождения заданного в коллекции либо значение -1, если атрибут не обнаружен в коллекции.
+ Первый индекс объекта в коллекции или значение -1, если атрибут не обнаружен в коллекции.
+
+
+ Добавляет элемент в список в позиции с указанным индексом.
+ Отсчитываемый от нуля индекс, по которому следует вставить параметр .
+ Вставляемый объект .Допускается значение null.
+ Значение параметра меньше нуля.– или – Значение больше значения .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Получает значение, показывающее, имеет ли список фиксированный размер.
+ Значение true, если список имеет фиксированный размер, в противном случае — значение false.
+
+
+ Получает значение, указывающее, доступна ли только для чтения.
+ Значение true, если доступна только для чтения; в противном случае — значение false.
+
+
+ Возвращает или задает элемент с указанным индексом.
+ Объект с указанным индексом.
+ Начинающийся с нуля индекс полученного или заданного члена коллекции.
+
+
+ Удаляет первый экземпляр указанного объекта из коллекции .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Указывает, что необходимо выполнить сериализацию члена класса в качестве XML-атрибута.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса , а также указывает имя созданного XML-атрибута.
+ Имя XML-атрибута, созданного при помощи .
+
+
+ Инициализирует новый экземпляр класса .
+ Имя созданного XML-атрибута.
+
+ , используемый для хранения атрибута.
+
+
+ Инициализирует новый экземпляр класса .
+
+ , используемый для хранения атрибута.
+
+
+ Возвращает или задает имя XML-атрибута.
+ Имя XML-атрибута.По умолчанию это имя члена.
+
+
+ Возвращает или задает тип данных XSD XML-атрибута, созданного при помощи .
+ Тип данных XSD (документ схемы XML), как определено документом консорциума W3C (www.w3.org) "XML-схема: Типы данных".
+
+
+ Возвращает или задает значение, которое показывает, является ли имя XML-атрибута, созданного при помощи , квалифицированным.
+ Одно из значений .Значение по умолчанию — XmlForm.None.
+
+
+ Возвращает или задает пространство имен XML для XML-атрибута.
+ Пространство имен XML для XML-атрибута.
+
+
+ Возвращает или задает сложный тип XML-атрибута.
+ Тип XML-атрибута.
+
+
+ Позволяет переопределять атрибуты свойства, поля и класса при использовании для сериализации или десериализации объекта.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Добавляет объект к коллекции объектов .Параметр указывает объект для переопределения.Параметр указывает имя переопределяемого члена.
+
+ объекта для переопределения.
+ Имя члена для переопределения.
+ Объект , представляющий атрибуты переопределения.
+
+
+ Добавляет объект к коллекции объектов .Параметр указывает объект для переопределения объектом .
+
+ переопределяемого объекта.
+ Объект , представляющий атрибуты переопределения.
+
+
+ Получает объект, ассоциированный с указанным типом базового класса.
+
+ , представляющий коллекцию атрибутов переопределения.
+ Базовый класс , ассоциированный с коллекцией атрибутов для извлечения.
+
+
+ Получает объект, ассоциированный с указанным типом (базового класса).Параметр члена указывает имя переопределяемого члена базового класса.
+
+ , представляющий коллекцию атрибутов переопределения.
+ Базовый класс , ассоциированный с требуемой коллекцией атрибутов.
+ Имя переопределенного члена, указывающего для возврата.
+
+
+ Представление коллекции объектов атрибутов, управляющих сериализацией и десериализацией объекта с помощью .
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Получает или задает для переопределения.
+
+ для переопределения.
+
+
+ Получение коллекции объектов для переопределения.
+ Объект , представляющий коллекцию объектов .
+
+
+ Получает или задает объект, задающий сериализацию с помощью для открытого поля или свойства чтения/записи, которое возвращает массив.
+
+ , задающий сериализацию с помощью для открытого поля или свойства чтения/записи, которое возвращает массив.
+
+
+ Получает или задает коллекцию объектов, определяющих сериализацию с помощью для элементов, которые вставлены в массив, возвращенный открытым полем или свойством чтения/записи.
+ Список , в котором содержится коллекция объектов .
+
+
+ Получает или задает объект, задающий сериализацию с помощью для открытого поля или свойства чтения/записи как атрибута XML.
+
+ , управляющий сериализацией открытого поля или свойства чтения/записи как атрибута XML.
+
+
+ Получает или задает объект, позволяющий определиться с выбором.
+
+ , который можно применить к члену класса, который сериализуется как элемент xsi:choice.
+
+
+ Получает или задает значение по умолчанию XML-элемента или атрибута.
+ Объект , представляющей значение по умолчанию элемента XML или атрибута.
+
+
+ Получение коллекции объектов, задающих сериализацию с помощью для открытого поля или свойства чтения/записи как элемента XML.
+
+ , содержащий коллекцию объектов .
+
+
+ Получает или задает объект, задающий сериализацию с помощью для члена перечисления.
+
+ , задающий сериализацию с помощью для члена перечисления.
+
+
+ Получает или задает значение, задающее то, будет ли выполнена сериализация с помощью для открытого поля или открытого свойства чтения/записи.
+ true, если не должен сериализовать поле или свойство; в противном случае false.
+
+
+ Возвращает и задает значение, определяющее, стоит ли сохранить все объявления пространств имен, если объект с членом, возвращающим объект , переопределен.
+ true, если объявления пространств имен следует сохранить, иначе false.
+
+
+ Получает или задает объект, задающий сериализацию с помощью для класса как корневого элемента XML.
+
+ , переопределяющий класс с атрибутами корневого элемента XML.
+
+
+ Получает или задает объект, указывающий сериализовать открытое поле или свойство чтения/записи как текст XML.
+
+ , переопределяющий сериализацию по умолчанию для открытого свойства или поля.
+
+
+ Получает или задает объект, задающий сериализацию с помощью для класса, к которому был применен .
+
+ , который переопределяет , примененный к объявлению класса.
+
+
+ Указывает, что член может быть обнаружен посредством перечисления.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализирует новый экземпляр класса .
+ Имя члена, возвращающего перечисление, используемое для определения выбора.
+
+
+ Получает или задает имя поля, возвращающего перечисление для использования при определении типов.
+ Имя поля, возвращающего перечисление.
+
+
+ Указывает, что открытое поле или свойство представляет XML-элемент, когда сериализует или десериализует объект, содержащий его.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса и указывает имя элемента XML.
+ Имя XML-элемента сериализованного члена.
+
+
+ Инициализирует новый экземпляр класса и указывает имя XML-элемента и производного типа для члена, к которому применяется .Данный тип члена используйте при сериализации содержащего его объекта.
+ Имя XML-элемента сериализованного члена.
+
+ объекта, являющегося производным от типа члена.
+
+
+ Инициализирует новый экземпляр класса и указывает тип для члена, к которому применяется .Данный тип используется при сериализации или десериализации содержащего его объекта.
+
+ объекта, являющегося производным от типа члена.
+
+
+ Получает или задает тип данных определения схемы XML (XSD), сгенерированного элемента XML.
+ Тип данных XML-схемы в соответствии с документом консорциума W3C (www.w3.org) "XML Schema Part 2: Datatypes".
+ Указанный тип данных XML-схемы не может иметь соответствия в типах данных .NET.
+
+
+ Получает или задает имя созданного XML-элемента
+ Имя созданного XML-элемента.По умолчанию используется идентификатор члена
+
+
+ Получает или задает значение, указывающее квалифицирован ли элемент.
+ Одно из значений .Значение по умолчанию — .
+
+
+ Получает или задает значение, которое указывает, должен ли сериализовать члена, имеющего значение null, в качестве пустого тега с атрибутом xsi:nil со значением true.
+ true, если создает атрибут xsi:nil; в противном случае, false.
+
+
+ Получает или задает пространство имен, присвоенное элементу XML, получаемому при сериализации класса.
+ Пространство имен XML-элемента.
+
+
+ Получает или задает порядок сериализации или десериализации элементов.
+ Порядок генерирования кода.
+
+
+ Получает или задает тип объекта, используемый для представления элемента XML.
+
+ члена.
+
+
+ Представляет коллекцию объектов , используемую для переопределения способа сериализации класса, используемого по умолчанию.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Добавляет в коллекцию.
+ Отсчитываемый от нуля индекс вновь добавленного элемента.
+ Добавляемый объект .
+
+
+ Удаляет все элементы из коллекции .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Определяет, содержит ли коллекция указанный объект.
+ true, если объект существует в коллекции; в противном случае — значение false.
+ Объект , который нужно найти.
+
+
+ Полностью или частично копирует в одномерный массив.
+ Массив для хранения скопированных элементов.
+ Индекс (с нуля) в массиве , с которого начинается копирование.
+
+
+ Получает число элементов, содержащихся в интерфейсе .
+ Число элементов, содержащихся в интерфейсе .
+
+
+ Возвращает перечислитель для класса .
+ Интерфейс для массива .
+
+
+ Получает индекс заданного ограничения .
+ Начинающийся с нуля индекс .
+
+ , индекс которого требуется извлечь.
+
+
+ Вставляет в коллекцию.
+ Отсчитываемый от нуля индекс для вставки члена.
+ Вставляемый объект .
+
+
+ Получает или задает элемент с указанным индексом.
+ Элемент с заданным индексом.
+ Отсчитываемый с нуля индекс получаемого или задаваемого элемента.
+ Параметр не является допустимым индексом в списке .
+ Свойство задано, и объект доступен только для чтения.
+
+
+ Удаляет указанный объект из коллекции.
+
+ для удаления из коллекции.
+
+
+ Удаляет элемент по указанному индексу.
+ Отсчитываемый от нуля индекс удаляемого элемента.
+ Параметр не является допустимым индексом в списке .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Копирует целый массив в совместимый одномерный массив , начиная с заданного индекса целевого массива.
+ Одномерный массив , в который копируются элементы из интерфейса .Индексация в массиве должна начинаться с нуля.
+
+
+ Получает значение, показывающее, является ли доступ к коллекции синхронизированным (потокобезопасным).
+ Значение true, если доступ к коллекции является синхронизированным (потокобезопасным); в противном случае — значение false.
+
+
+ Получает объект, с помощью которого можно синхронизировать доступ к коллекции .
+ Объект, который может использоваться для синхронизации доступа к коллекции .
+
+
+ Добавляет объект в конец коллекции .
+ Индекс коллекции , по которому был добавлен параметр .
+ Объект , добавляемый в конец коллекции .Допускается значение null.
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Определяет, содержит ли коллекция указанное значение.
+ Значение true, если объект найден в списке ; в противном случае — значение false.
+ Объект, который требуется найти в .
+
+
+ Определяет индекс заданного элемента коллекции .
+ Индекс , если он найден в списке; в противном случае -1.
+ Объект, который требуется найти в .
+
+
+ Добавляет элемент в список в позиции с указанным индексом.
+ Отсчитываемый от нуля индекс, по которому следует вставить параметр .
+ Вставляемый объект .Допускается значение null.
+ Значение параметра меньше нуля.– или – Значение больше значения .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Получает значение, показывающее, имеет ли список фиксированный размер.
+ Значение true, если список имеет фиксированный размер, в противном случае — значение false.
+
+
+ Получает значение, указывающее, доступна ли только для чтения.
+ Значение true, если доступна только для чтения; в противном случае — значение false.
+
+
+ Получает или задает элемент с указанным индексом.
+ Элемент с заданным индексом.
+ Отсчитываемый с нуля индекс получаемого или задаваемого элемента.
+ Параметр не является допустимым индексом в списке .
+ Свойство задано, и объект доступен только для чтения.
+
+
+ Удаляет первый экземпляр указанного объекта из коллекции .
+ Список доступен только для чтения.– или – Коллекция имеет фиксированный размер.
+
+
+ Управляет тем, как сериализует член перечисления.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса и определяет XML-значение, которое создает или распознает (при сериализации или десериализации перечисления, соответственно).
+ Переопределяющее имя члена перечисления.
+
+
+ Получает или задает значение, создаваемое в экземпляре XML-документа, когда сериализует перечисление, или значение, распознаваемое при десериализации члена перечисления.
+ Значение, создаваемое в экземпляре XML-документа, когда сериализует перечисление, или значение, распознаваемое при десериализации члена перечисления.
+
+
+ Инструктирует метод , принадлежащий , не сериализовывать значение открытого поля или открытого свойства чтения/записи.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Позволяет распознавать тип в процессе сериализации или десериализации объекта.
+
+
+ Инициализирует новый экземпляр класса .
+
+ объекта, который необходимо включить.
+
+
+ Получает или задает тип объекта, который необходимо включить.
+
+ объекта, который необходимо включить.
+
+
+ Указывает, что целевое свойство, параметр, возвращаемое значение или член класса содержит префиксы, связанные с пространствами имен, используемыми в документе XML.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Управляет XML-сериализацией конечного объекта атрибута как корневого XML-элемента.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса и указывает имя корневого XML-элемента.
+ Имя корневого XML-элемента.
+
+
+ Возвращает или задает тип данных XSD корневого XML-элемента.
+ Тип данных XSD (документ схемы XML), как определено документом консорциума W3C (www.w3.org) "XML-схема: Типы данных".
+
+
+ Возвращает или задает имя XML-элемента, создаваемого и опознаваемого методами и класса .
+ Имя корневого XML-элемента, который создается и распознается в экземпляре XML-документа.По умолчанию — это имя сериализуемого класса.
+
+
+ Возвращает или задает значение, которое указывает, должен ли выполнять сериализацию члена со значением null в атрибут xsi:nil со значением true.
+ true, если создает атрибут xsi:nil; в противном случае, false.
+
+
+ Возвращает или задает пространство имен для корневого XML-элемента.
+ Пространство имен для XML-элемента.
+
+
+ Сериализует и десериализует объекты в документы XML и из них. позволяет контролировать способ кодирования объектов в XML.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса , который может сериализовать объекты заданного типа в документы XML, а также десериализовать документы XML в объекты заданного типа.
+ Тип объекта, который может быть сериализован .
+
+
+ Инициализация нового экземпляра класса , который может сериализовать объекты заданного типа в документы XML, а также десериализовать документы XML в объекты заданного типа.Указывает пространство имен по умолчанию для всех элементов XML.
+ Тип объекта, который может быть сериализован .
+ Пространство имен по умолчанию для всех элементов XML.
+
+
+ Инициализация нового экземпляра класса , который может сериализовать объекты заданного типа в документы XML, и может десериализовать документы XML в объект заданного типа.Если свойство или поле возвращает массив, параметр определяет объекты, которые могут быть вставлены в массив.
+ Тип объекта, который может быть сериализован .
+ Массив дополнительных типов объектов для сериализации.
+
+
+ Инициализация нового экземпляра класса , который может сериализовать объекты заданного типа в документы XML, а также десериализовать документы XML в объекты заданного типа.Каждый сериализуемый объект может сам содержать экземпляры классов, которые данная перегрузка позволяет переопределить с другими классами.
+ Тип сериализуемого объекта.
+ Объект .
+
+
+ Инициализация нового экземпляра класса , который может сериализовать объекты типа в экземпляры документа XML, а также десериализовать экземпляры документа XML в объекты типа .Каждый сериализуемый объект может сам содержать экземпляры классов, которые данная перегрузка переопределяет с другими классами.Данная перегрузка также указывает пространство имен по умолчанию для всех элементов XML и класс для использования в качестве корневого элемента XML.
+ Тип объекта, который может быть сериализован .
+
+ , расширяющий или переопределяющий поведение класса, задается в параметре .
+ Массив дополнительных типов объектов для сериализации.
+
+ , указывающий свойство корневого элемента XML.
+ Пространство имен по умолчанию всех элементов XML в документе XML.
+
+
+ Инициализация нового экземпляра класса , который может сериализовать объекты заданного типа в документы XML, а также десериализовать документ XML в объект заданного типа.Также указывает класс для использования в качестве корневого элемента XML.
+ Тип объекта, который может быть сериализован .
+
+ , представляющий свойство корневого элемента XML.
+
+
+ Получает значение, указывающее возможность выполнения данным десериализации документа XML.
+ true, если может выполнить десериализацию объекта, на который указывает , в противном случае false.
+
+ , указывающий на документ для десериализации.
+
+
+ Десериализует документ XML, содержащийся указанным .
+
+ десериализуется.
+
+ , содержащий документ XML для десериализации.
+
+
+ Десериализует документ XML, содержащийся указанным .
+
+ десериализуется.
+
+ , содержащий документ XML для десериализации.
+ Возникла ошибка при десериализации.Исходное исключение доступно с помощью свойства .
+
+
+ Десериализует документ XML, содержащийся указанным .
+
+ десериализуется.
+
+ , содержащий документ XML для десериализации.
+ Возникла ошибка при десериализации.Исходное исключение доступно с помощью свойства .
+
+
+ Возвращает массив объектов , созданный из массива типов.
+ Массив объектов .
+ Массив объектов .
+
+
+ Сериализует указанный и записывает документ XML в файл с помощью заданного .
+
+ используется для записи документа XML.
+
+ для сериализации.
+ Возникла ошибка при сериализации.Исходное исключение доступно с помощью свойства .
+
+
+ Сериализует указанный и записывает документ XML в файл с помощью заданного , ссылающегося на заданные пространства имен.
+
+ используется для записи документа XML.
+
+ для сериализации.
+
+ со ссылкой объекта.
+ Возникла ошибка при сериализации.Исходное исключение доступно с помощью свойства .
+
+
+ Сериализует указанный и записывает документ XML в файл с помощью заданного .
+
+ используется для записи документа XML.
+
+ для сериализации.
+
+
+ Сериализует указанный объект и записывает документ XML в файл с помощью заданного и ссылается на заданные пространства имен.
+
+ используется для записи документа XML.
+
+ для сериализации.
+
+ , содержащий пространства имен для сгенерированного документа XML.
+ Возникла ошибка при сериализации.Исходное исключение доступно с помощью свойства .
+
+
+ Сериализует указанный и записывает документ XML в файл с помощью заданного .
+
+ используется для записи документа XML.
+
+ для сериализации.
+ Возникла ошибка при сериализации.Исходное исключение доступно с помощью свойства .
+
+
+ Сериализует указанный и записывает документ XML в файл с помощью заданного , ссылающегося на заданные пространства имен.
+
+ используется для записи документа XML.
+
+ для сериализации.
+
+ со ссылкой объекта.
+ Возникла ошибка при сериализации.Исходное исключение доступно с помощью свойства .
+
+
+ Содержит пространства имен XML и префиксы, используемые для генерирования полных имен в экземпляре документа XML.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализация нового экземпляра класса с помощью определенного экземпляра XmlSerializerNamespaces, содержащего коллекцию пар префикса и пространства имен.
+ Экземпляр , содержащий пары пространства имен и префикса.
+
+
+ Инициализирует новый экземпляр класса .
+ Массив объектов .
+
+
+ Добавляет пару префикса и пространства имен объекту .
+ Префикс ассоциирован с пространством имен XML.
+ Пространство имен XML.
+
+
+ Получает число пар префикса и пространства имен в коллекции.
+ Число пар префикса и пространства имен в коллекции.
+
+
+ Получает массив пар префикса и пространства имен в объекте .
+ Массив объектов , используемых в качестве квалифицированных имен в документе XML.
+
+
+ Указывает на , что член должен обрабатываться как текст XML, когда содержащий его класс сериализуется или десериализуется.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализирует новый экземпляр класса .
+
+ сериализуемого члена.
+
+
+ Получает или задает тип данных языка определения схем XML (XSD) текста, сгенерированного .
+ Тип данных схемы XML (XSD) согласно документу "Схема XML, часть 2: типы данных" консорциума World Wide Web (www.w3.org).
+ Указанный тип данных XML-схемы не может иметь соответствия в типах данных .NET.
+ Указанный тип данных схемы XML неверен для свойства и не может быть преобразован в тип члена.
+
+
+ Получает или задает тип члена.
+
+ члена.
+
+
+ Управляет схемой XML, сгенерированной при сериализации цели атрибута.
+
+
+ Инициализирует новый экземпляр класса .
+
+
+ Инициализирует новый экземпляр класса и задает имя типа XML.
+ Имя типа XML, генерируемое при сериализации экземпляра класса (и определении при десериализации экземпляра класса).
+
+
+ Получает или задает значение, определяющее, является ли результирующий тип схемы анонимным типом XSD.
+ true, если результирующий тип схемы является анонимным типом XSD, в противном случае false.
+
+
+ Получает или задает значение, указывающее, включается ли тип в документы схемы XML.
+ true для включения типа в документ схемы XML, в противном случае false.
+
+
+ Получает или задает пространство имен типа XML.
+ Пространство имен типа XML.
+
+
+ Получает или задает имя типа XML.
+ Имя типа XML.
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/zh-hans/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/zh-hans/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..37bb7ba
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/zh-hans/System.Xml.XmlSerializer.xml
@@ -0,0 +1,917 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ 指定成员(返回 对象的数组的字段)可以包含任何 XML 特性。
+
+
+ 构造 类的新实例。
+
+
+ 指定成员(返回 或 对象的数组的字段)可以包含对象,该对象表示在序列化或反序列化的对象中没有相应成员的所有 XML 元素。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例并指定在 XML 文档中生成的 XML 元素名称。
+
+ 生成的 XML 元素的名称。
+
+
+ 初始化 类的新实例并指定在 XML 文档中生成的 XML 元素名称及其 XML 命名空间。
+
+ 生成的 XML 元素的名称。
+ XML 元素的 XML 命名空间。
+
+
+ 获取或设置 XML 元素名。
+ XML 元素的名称。
+ 数组成员的元素名称与 属性指定的元素名称不匹配。
+
+
+ 获取或设置在 XML 文档中生成的 XML 命名空间。
+ 一个 XML 命名空间。
+
+
+ 获取或设置序列化或反序列化元素的显式顺序。
+ 代码生成的顺序。
+
+
+ 表示 对象的集合。
+
+
+ 初始化 类的新实例。
+
+
+ 将 添加到集合中。
+ 新添加的 的索引。
+ 要相加的 。
+
+
+ 从 中移除所有对象。不能重写此方法。
+
+
+ 获取一个值,该值指示集合中是否存在指定的 。
+ 如果集合中存在该 ,则为 true;否则为 false。
+ 您关注的 。
+
+
+ 将整个集合复制到 对象的一个兼容一维数组,从目标数组的指定索引处开始。
+
+ 对象的一维数组,它是从集合复制来的元素的目标。该数组的索引必须从零开始。
+
+ 中从零开始的索引,从此索引处开始进行复制。
+
+
+ 获取包含在 实例中的元素数。
+ 包含在 实例中的元素数。
+
+
+ 返回循环访问 的枚举数。
+ 一个循环访问 的枚举器。
+
+
+ 获取指定的 的索引。
+ 指定 的索引。
+ 您需要其索引的 。
+
+
+ 在集合中的指定索引处插入 。
+
+ 的插入位置的索引。
+ 要插入的 。
+
+
+ 获取或设置指定索引处的 。
+ 指定索引处的 。
+
+ 的索引。
+
+
+ 从集合中移除指定的 。
+ 要移除的 。
+
+
+ 移除 的指定索引处的元素。不能重写此方法。
+ 要被移除的元素的索引。
+
+
+ 将整个集合复制到 对象的一个兼容一维数组,从目标数组的指定索引处开始。
+ 一维数组。
+ 指定的索引。
+
+
+ 获取一个值,该值指示是否同步对 的访问(线程安全)。
+ 如果同步对 的访问,则为 True;否则为 false。
+
+
+ 获取可用于同步对 的访问的对象。
+ 可用于同步对 的访问的对象。
+
+
+ 将对象添加到 的结尾处。
+ 要添加到集合中的对象。
+ 作为要添加的元素的值的对象。
+
+
+ 确定 是否包含特定元素。
+ 如果 包含特定元素,则为 True;否则为 false。
+ 元素的值。
+
+
+ 搜索指定的“对象”,并返回整个 中第一个匹配项的从零开始的索引。
+ 对象的从零开始的索引。
+ 对象的值。
+
+
+ 将元素插入 的指定索引处。
+ 索引,在此处插入元素。
+ 元素的值。
+
+
+ 获取一个值,该值指示 是否固定大小。
+ 如果 固定大小,则为 True;否则为 false。
+
+
+ 获取一个值,该值指示 是否为只读。
+ 如果 为只读,则为 True;否则为 false。
+
+
+ 获取或设置位于指定索引处的元素。
+ 位于指定索引处的元素。
+ 元素的索引。
+
+
+ 从 中移除特定对象的第一个匹配项。
+ 移除的对象的值。
+
+
+ 指定 必须将特定的类成员序列化为 XML 元素的数组。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,并指定在 XML 文档实例中生成的 XML 元素名称。
+
+ 生成的 XML 元素的名称。
+
+
+ 获取或设置提供给序列化数组的 XML 元素名称。
+ 序列化数组的 XML 元素名称。默认值为向其分配 的成员的名称。
+
+
+ 获取或设置一个值,该值指示 生成的 XML 元素名称是限定的还是非限定的。
+
+ 值之一。默认值为 XmlSchemaForm.None。
+
+
+ 获取或设置一个值,该值指示 是否必须将成员序列化为 xsi:nil 属性设置为 true 的 XML 空标记。
+ 如果 生成 xsi:nil 属性,则为 true;否则为 false。
+
+
+ 获取或设置 XML 元素的命名空间。
+ XML 元素的命名空间。
+
+
+ 获取或设置序列化或反序列化元素的显式顺序。
+ 代码生成的顺序。
+
+
+ 表示指定 可以放置在序列化数组中的派生类型的特性。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,并指定在 XML 文档中生成的 XML 元素的名称。
+ XML 元素的名称。
+
+
+ 初始化 类的新实例,并指定在 XML 文档中生成的 XML 元素的名称,以及可插入到所生成的 XML 文档中的 。
+ XML 元素的名称。
+ 要序列化的对象的 。
+
+
+ 初始化 类的新实例,并指定可插入到序列化数组中的 。
+ 要序列化的对象的 。
+
+
+ 获取或设置生成的 XML 元素的 XML 数据类型。
+ “XML 架构定义”(XSD) 数据类型,定义见名为“XML 架构第 2 部分:数据类型”的“万维网联合会”(www.w3.org) 文档。
+
+
+ 获取或设置生成的 XML 元素的名称。
+ 生成的 XML 元素的名称。默认值为成员标识符。
+
+
+ 获取或设置一个值,该值指示生成的 XML 元素的名称是否是限定的。
+
+ 值之一。默认值为 XmlSchemaForm.None。
+
+ 属性设置为 XmlSchemaForm.Unqualified,并且指定 值。
+
+
+ 获取或设置一个值,该值指示 是否必须将成员序列化为 xsi:nil 属性设置为 true 的 XML 空标记。
+ 如果 生成 xsi:nil 特性,则为 true;否则为 false,且不生成实例。默认值为 true。
+
+
+ 获取或设置生成的 XML 元素的命名空间。
+ 生成的 XML 元素的命名空间。
+
+
+ 获取或设置受 影响的 XML 元素的层次结构中的级别。
+ 数组的数组中的索引集从零开始的索引。
+
+
+ 获取或设置数组中允许的类型。
+ 数组中允许的 。
+
+
+ 表示 对象的集合。
+
+
+ 初始化 类的新实例。
+
+
+ 将 添加到集合中。
+ 所添加的项的索引。
+ 要添加到集合中的 。
+
+
+ 从 中移除所有元素。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 确定集合是否包含指定的 。
+ 如果该集合包含指定的 ,则为 true;否则为 false。
+ 要检查的 。
+
+
+ 从指定的目标索引开始,将 数组复制到集合。
+ 要复制到集合中的 对象的数组。
+ 从该处开始特性复制的索引。
+
+
+ 获取 中包含的元素数。
+
+ 中包含的元素个数。
+
+
+ 返回整个 的一个枚举器。
+ 用于整个 的 。
+
+
+ 返回所指定 在集合中首个匹配项的从零开始的索引;如果在集合中找不到该特性,则为 -1。
+
+ 在集合中的首个索引;如果在集合中找不到该特性,则为 -1。
+ 要在集合中定位的 。
+
+
+ 在集合中的指定索引处插入 。
+ 在该处插入特性的索引。
+ 要插入的 。
+
+
+ 获取或设置指定索引处的项。
+ 位于指定索引处的 。
+ 要获取或设置的从零开始的集合成员的索引。
+
+
+ 如果存在,则从集合中移除 。
+ 要移除的 。
+
+
+ 移除指定索引处的 项。
+ 要移除的项的从零开始的索引。
+
+ 不是 中的有效索引。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 从目标数组的指定索引处开始将整个 复制到兼容的一维 。
+ 作为从 复制的元素的目标的一维 。 必须具有从零开始的索引。
+
+
+ 获取一个值,该值指示是否同步对 的访问(线程安全)。
+ 如果对 的访问是同步的(线程安全),则为 true;否则为 false。
+
+
+
+ 将对象添加到 的结尾处。
+
+ 索引,已在此处添加了 。
+ 要添加到 末尾的 。该值可以为 null。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 确定集合是否包含指定的 。
+ 如果该集合包含指定的 ,则为 true;否则为 false。
+
+
+ 返回所指定 在集合中首个匹配项的从零开始的索引;如果在集合中找不到该特性,则为 -1。
+
+ 在集合中的首个索引;如果在集合中找不到该特性,则为 -1。
+
+
+ 将元素插入 的指定索引处。
+ 从零开始的索引,应在该位置插入 。
+ 要插入的 。该值可以为 null。
+
+ 小于零。- 或 - 大于 。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 获取一个值,该值指示 是否具有固定大小。
+ 如果 具有固定大小,则为 true;否则为 false。
+
+
+ 获取一个值,该值指示 是否为只读。
+ 如果 为只读,则为 true;否则为 false。
+
+
+ 获取或设置指定索引处的项。
+ 位于指定索引处的 。
+ 要获取或设置的从零开始的集合成员的索引。
+
+
+ 从 中移除特定对象的第一个匹配项。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 指定 必须将类成员序列化为 XML 属性。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,并指定生成的 XML 属性的名称。
+
+ 生成的 XML 特性的名称。
+
+
+ 初始化 类的新实例。
+ 生成的 XML 特性的名称。
+ 用来存储特性的 。
+
+
+ 初始化 类的新实例。
+ 用来存储特性的 。
+
+
+ 获取或设置 XML 属性的名称。
+ XML 属性的名称。默认值为成员名称。
+
+
+ 获取或设置 生成的 XML 属性的 XSD 数据类型。
+ 一种 XSD(XML 架构文档)数据类型,由名为“XML Schema: DataTypes”(XML 架构:数据类型)的万维网联合会 (www.w3.org) 文档定义。
+
+
+ 获取或设置一个值,该值指示 生成的 XML 属性名称是否是限定的。
+
+ 值之一。默认值为 XmlForm.None。
+
+
+ 获取或设置 XML 属性的 XML 命名空间。
+ XML 属性的 XML 命名空间。
+
+
+ 获取或设置 XML 属性的复杂类型。
+ XML 属性的类型。
+
+
+ 允许您在使用 序列化或反序列化对象时重写属性、字段和类特性。
+
+
+ 初始化 类的新实例。
+
+
+ 将 对象添加到 对象的集合中。 参数指定一个要重写的对象。 参数指定被重写的成员的名称。
+ 要重写的对象的 。
+ 要重写的成员的名称。
+ 表示重写特性的 对象。
+
+
+ 将 对象添加到 对象的集合中。 参数指定由 对象重写的对象。
+ 被重写的对象的 。
+ 表示重写特性的 对象。
+
+
+ 获取与指定的基类类型关联的对象。
+ 表示重写属性集合的 。
+ 与要检索的特性的集合关联的基类 。
+
+
+ 获取与指定(基类)类型关联的对象。成员参数指定被重写的基类成员。
+ 表示重写属性集合的 。
+ 与所需特性的集合关联的基类 。
+ 指定返回的 的重写成员的名称。
+
+
+ 表示一个属性对象的集合,这些对象控制 如何序列化和反序列化对象。
+
+
+ 初始化 类的新实例。
+
+
+ 获取或设置要重写的 。
+ 要重写的 。
+
+
+ 获取要重写的 对象集合。
+ 表示 对象集合的 对象。
+
+
+ 获取或设置一个对象,该对象指定 如何序列化返回数组的公共字段或读/写属性。
+ 一个 ,指定 序列化如何返回数组的公共字段或读/写属性。
+
+
+ 获取或设置一个对象集合,这些对象指定 如何序列化插入数组(由公共字段或读/写属性返回)的项。
+
+ 对象,它包含 对象的集合。
+
+
+ 获取或设置一个对象,该对象指定 如何将公共字段或公共读/写属性序列化为 XML 特性。
+ 控制将公共字段或读/写属性序列化为 XML 特性的 。
+
+
+ 获取或设置一个对象,该对象使您可以区别一组选项。
+ 可应用到被序列化为 xsi:choice 元素的类成员的 。
+
+
+ 获取或设置 XML 元素或属性的默认值。
+ 表示 XML 元素或属性的默认值的 。
+
+
+ 获取一个对象集合,这些对象指定 如何将公共字段或读/写属性序列化为 XML 元素。
+ 包含一个 对象集合的 。
+
+
+ 获取或设置一个对象,该对象指定 如何序列化枚举成员。
+ 指定 如何序列化枚举成员的 。
+
+
+ 获取或设置一个值,该值指定 是否序列化公共字段或公共读/写属性。
+ 如果 不得序列化字段或属性,则为 true;否则为 false。
+
+
+ 获取或设置一个值,该值指定当重写包含返回 对象的成员的对象时,是否保留所有的命名空间声明。
+ 如果应保留命名空间声明,则为 true;否则为 false。
+
+
+ 获取或设置一个对象,该对象指定 如何将类序列化为 XML 根元素。
+ 重写特性化为 XML 根元素的类的 。
+
+
+ 获取或设置一个对象,该对象指示 将公共字段或公共读/写属性序列化为 XML 文本。
+ 重写公共属性或字段的默认序列化的 。
+
+
+ 获取或设置一个对象,该对象指定 如何序列化一个已对其应用 的类。
+ 重写应用于类声明的 的 。
+
+
+ 指定可以通过使用枚举来进一步检测成员。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例。
+ 返回用于检测选项的枚举的成员名称。
+
+
+ 获取或设置字段的名称,该字段返回在检测类型时使用的枚举。
+ 返回枚举的字段的名称。
+
+
+ 指示公共字段或属性在 序列化或反序列化包含它们的对象时表示 XML 元素。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,并指定 XML 元素的名称。
+ 序列化成员的 XML 元素名。
+
+
+ 初始化 的新实例,并指定 XML 元素的名称和 应用到的成员的派生类型。此成员类型在 序列化包含它的对象时使用。
+ 序列化成员的 XML 元素名。
+ 从该成员的类型派生的对象的 。
+
+
+ 初始化 类的新实例,并指定 所应用到的成员的类型。此类型在序列化或反序列化包含它的对象时由 使用。
+ 从该成员的类型派生的对象的 。
+
+
+ 获取或设置由 生成的 XMl 元素的 XML 架构定义 (XSD) 数据类型。
+ “XML 架构”数据类型,如名为“XML 架构第 2 部分:数据类型”的“万维网联合会”(www.w3.org) 文档中所定义。
+ 已指定的 XML 架构数据类型无法映射到 .NET 数据类型。
+
+
+ 获取或设置生成的 XML 元素的名称。
+ 生成的 XML 元素的名称。默认值为成员标识符。
+
+
+ 获取或设置一个值,该值指示元素是否是限定的。
+
+ 值之一。默认值为 。
+
+
+ 获取或设置一个值,该值指示 是否必须将设置为 null 的成员序列化为 xsi:nil 属性设置为 true 的空标记。
+ 如果 生成 xsi:nil 属性,则为 true;否则为 false。
+
+
+ 获取或设置分配给 XML 元素的命名空间,这些 XML 元素是在序列化类时得到的。
+ XML 元素的命名空间。
+
+
+ 获取或设置序列化或反序列化元素的显式顺序。
+ 代码生成的顺序。
+
+
+ 获取或设置用于表示 XML 元素的对象类型。
+ 成员的 。
+
+
+ 表示 对象的集合,该对象由 用来重写序列化类的默认方式。
+
+
+ 初始化 类的新实例。
+
+
+ 将 添加到集合中。
+ 新添加项的从零开始的索引。
+ 要相加的 。
+
+
+ 从 中移除所有元素。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 确定集合是否包含指定对象。
+ 如果该集合中存在对象,则为 true;否则为 false。
+ 要查找的 。
+
+
+ 将 或它的一部分复制到一维数组中。
+ 保留所复制的元素的 数组。
+
+ 中从零开始的索引,从此索引处开始进行复制。
+
+
+ 获取 中包含的元素数。
+
+ 中包含的元素个数。
+
+
+ 返回整个 的一个枚举器。
+ 用于整个 的 。
+
+
+ 获取指定的 的索引。
+
+ 的从零开始的索引。
+ 要检索其索引的 。
+
+
+ 向集合中插入 。
+ 从零开始的索引,在此处插入了成员。
+ 要插入的 。
+
+
+ 获取或设置位于指定索引处的元素。
+ 位于指定索引处的元素。
+ 要获得或设置的元素从零开始的索引。
+
+ 不是 中的有效索引。
+ 设置该属性,而且 为只读。
+
+
+ 从集合中移除指定的对象。
+ 要从该集合中移除的 。
+
+
+ 移除指定索引处的 项。
+ 要移除的项的从零开始的索引。
+
+ 不是 中的有效索引。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 从目标数组的指定索引处开始将整个 复制到兼容的一维 。
+ 作为从 复制的元素的目标的一维 。 必须具有从零开始的索引。
+
+
+ 获取一个值,该值指示是否同步对 的访问(线程安全)。
+ 如果对 的访问是同步的(线程安全),则为 true;否则为 false。
+
+
+ 获取可用于同步对 的访问的对象。
+ 可用于同步对 的访问的对象。
+
+
+ 将对象添加到 的结尾处。
+
+ 索引,已在此处添加了 。
+ 要添加到 末尾的 。该值可以为 null。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 确定 是否包含特定值。
+ 如果在 中找到 ,则为 true;否则为 false。
+ 要在 中定位的对象。
+
+
+ 确定 中特定项的索引。
+ 如果在列表中找到,则为 的索引;否则为 -1。
+ 要在 中定位的对象。
+
+
+ 将元素插入 的指定索引处。
+ 从零开始的索引,应在该位置插入 。
+ 要插入的 。该值可以为 null。
+
+ 小于零。- 或 - 大于 。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 获取一个值,该值指示 是否具有固定大小。
+ 如果 具有固定大小,则为 true;否则为 false。
+
+
+ 获取一个值,该值指示 是否为只读。
+ 如果 为只读,则为 true;否则为 false。
+
+
+ 获取或设置位于指定索引处的元素。
+ 位于指定索引处的元素。
+ 要获得或设置的元素从零开始的索引。
+
+ 不是 中的有效索引。
+ 设置该属性,而且 为只读。
+
+
+ 从 中移除特定对象的第一个匹配项。
+
+ 为只读。- 或 - 具有固定大小。
+
+
+ 控制 如何序列化枚举成员。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,并指定 生成或识别的(当该序列化程序分别序列化或反序列化枚举时)XML 值。
+ 该枚举成员的重写名。
+
+
+ 获取或设置当 序列化枚举时在 XML 文档实例中生成的值,或当它反序列化该枚举成员时识别的值。
+ 当 序列化枚举时在 XML 文档实例中生成的值,或当它反序列化该枚举成员时识别的值。
+
+
+ 指示 的 方法不序列化公共字段或公共读/写属性值。
+
+
+ 初始化 类的新实例。
+
+
+ 允许 在它序列化或反序列化对象时识别类型。
+
+
+ 初始化 类的新实例。
+ 要包含的对象的 。
+
+
+ 获取或设置要包含的对象的类型。
+ 要包含的对象的 。
+
+
+ 指定目标属性、参数、返回值或类成员包含与 XML 文档中所用命名空间关联的前缀。
+
+
+ 初始化 类的新实例。
+
+
+ 控制视为 XML 根元素的属性目标的 XML 序列化。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,并指定 XML 根元素的名称。
+ XML 根元素的名称。
+
+
+ 获取或设置 XML 根元素的 XSD 数据类型。
+ 一种 XSD(XML 架构文档)数据类型,由名为“XML Schema: DataTypes”(XML 架构:数据类型)的万维网联合会 (www.w3.org) 文档定义。
+
+
+ 获取或设置由 类的 和 方法分别生成和识别的 XML 元素的名称。
+ 在 XML 文档实例中生成和识别的 XML 根元素的名称。默认值为序列化类的名称。
+
+
+ 获取或设置一个值,该值指示 是否必须将设置为 null 的成员序列化为设置为 true 的 xsi:nil 属性。
+ 如果 生成 xsi:nil 属性,则为 true;否则为 false。
+
+
+ 获取或设置 XML 根元素的命名空间。
+ XML 元素的命名空间。
+
+
+ 将对象序列化到 XML 文档中和从 XML 文档中反序列化对象。 使您得以控制如何将对象编码到 XML 中。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,该类可以将指定类型的对象序列化为 XML 文档,也可以将 XML 文档反序列化为指定类型的对象。
+ 此 可序列化的对象的类型。
+
+
+ 初始化 类的新实例,该类可以将指定类型的对象序列化为 XML 文档,也可以将 XML 文档反序列化为指定类型的对象。指定所有 XML 元素的默认命名空间。
+ 此 可序列化的对象的类型。
+ 用于所有 XML 元素的默认命名空间。
+
+
+ 初始化 类的新实例,该类可以将指定类型的对象序列化为 XML 文档,也可以将 XML 文档反序列化为指定类型的对象。如果属性或字段返回一个数组,则 参数指定可插入到该数组的对象。
+ 此 可序列化的对象的类型。
+ 要序列化的其他对象类型的 数组。
+
+
+ 初始化 类的新实例,该类可以将指定类型的对象序列化为 XML 文档,也可以将 XML 文档反序列化为指定类型的对象。要序列化的每个对象本身可包含类的实例,此重载可使用其他类重写这些实例。
+ 要序列化的对象的类型。
+ 一个 。
+
+
+ 初始化 类的新实例,该类可将 类型的对象序列化为 XML 文档实例,并可将 XML 文档实例反序列化为 类型的对象。要序列化的每个对象本身可包含类的实例,此重载可使用其他类重写这些实例。此重载还指定所有 XML 元素的默认命名空间和用作 XML 根元素的类。
+ 此 可序列化的对象的类型。
+ 一个 ,它扩展或重写 参数中指定类的行为。
+ 要序列化的其他对象类型的 数组。
+ 定义 XML 根元素属性的 。
+ XML 文档中所有 XML 元素的默认命名空间。
+
+
+ 初始化 类的新实例,该类可以将指定类型的对象序列化为 XML 文档,也可以将 XML 文档反序列化为指定类型的对象。还可以指定作为 XML 根元素使用的类。
+ 此 可序列化的对象的类型。
+ 表示 XML 根元素的 。
+
+
+ 获取一个值,该值指示此 是否可以反序列化指定的 XML 文档。
+ 如果此 可以反序列化 指向的对象,则为 true,否则为 false。
+ 指向要反序列化的文档的 。
+
+
+ 反序列化指定 包含的 XML 文档。
+ 正被反序列化的 。
+ 包含要反序列化的 XML 文档的 。
+
+
+ 反序列化指定 包含的 XML 文档。
+ 正被反序列化的 。
+
+ 包含要反序列化的 XML 文档。
+ 反序列化期间发生错误。使用 属性时可使用原始异常。
+
+
+ 反序列化指定 包含的 XML 文档。
+ 正被反序列化的 。
+ 包含要反序列化的 XML 文档的 。
+ 反序列化期间发生错误。使用 属性时可使用原始异常。
+
+
+ 返回从类型数组创建的 对象的数组。
+
+ 对象的数组。
+
+ 对象的数组。
+
+
+ 使用指定的 序列化指定的 并将 XML 文档写入文件。
+ 用于编写 XML 文档的 。
+ 将要序列化的 。
+ 序列化期间发生错误。使用 属性时可使用原始异常。
+
+
+ 使用引用指定命名空间的指定 序列化指定的 并将 XML 文档写入文件。
+ 用于编写 XML 文档的 。
+ 将要序列化的 。
+ 该对象所引用的 。
+ 序列化期间发生错误。使用 属性时可使用原始异常。
+
+
+ 使用指定的 序列化指定的 并将 XML 文档写入文件。
+ 用于编写 XML 文档的 。
+ 将要序列化的 。
+
+
+ 使用指定的 和指定命名空间序列化指定的 并将 XML 文档写入文件。
+ 用于编写 XML 文档的 。
+ 将要序列化的 。
+ 包含生成的 XML 文档的命名空间的 。
+ 序列化期间发生错误。使用 属性时可使用原始异常。
+
+
+ 使用指定的 序列化指定的 并将 XML 文档写入文件。
+ 用于编写 XML 文档的 。
+ 将要序列化的 。
+ 序列化期间发生错误。使用 属性时可使用原始异常。
+
+
+ 使用指定的 和指定命名空间序列化指定的 并将 XML 文档写入文件。
+ 用于编写 XML 文档的 。
+ 将要序列化的 。
+ 该对象所引用的 。
+ 序列化期间发生错误。使用 属性时可使用原始异常。
+
+
+ 包含 用于在 XML 文档实例中生成限定名的 XML 命名空间和前缀。
+
+
+ 初始化 类的新实例。
+
+
+ 使用包含前缀和命名空间对集合的 XmlSerializerNamespaces 的指定实例,初始化 类的新实例。
+ 包含命名空间和前缀对的 的实例。
+
+
+ 初始化 类的新实例。
+
+ 对象的数组。
+
+
+ 将前缀和命名空间对添加到 对象。
+ 与 XML 命名空间关联的前缀。
+ 一个 XML 命名空间。
+
+
+ 获取集合中前缀和命名空间对的数目。
+ 集合中前缀和命名空间对的数目。
+
+
+ 获取 对象中前缀和命名空间对的数组。
+ 在 XML 文档中用作限定名的 对象的数组。
+
+
+ 当序列化或反序列化包含该成员的类时,向 指示应将该成员作为 XML 文本处理。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例。
+ 要进行序列化的成员的 。
+
+
+ 获取或设置由 生成的文本的“XML 架构”定义语言 (XSD) 数据类型
+ XML 架构数据类型,如“万维网联合会”(www.w3.org) 文档“XML 架构第 2 部分:数据类型”所定义。
+ 已指定的 XML 架构数据类型无法映射到 .NET 数据类型。
+ 已指定的 XML 架构数据类型对该属性无效,且无法转换为成员类型。
+
+
+ 获取或设置成员的类型。
+ 成员的 。
+
+
+ 控制当属性目标由 序列化时生成的 XML 架构。
+
+
+ 初始化 类的新实例。
+
+
+ 初始化 类的新实例,并指定 XML 类型的名称。
+
+ 序列化类实例时生成(和在反序列化类实例时识别)的 XML 类型的名称。
+
+
+ 获取或设置一个值,该值确定生成的构架类型是否为 XSD 匿名类型。
+ 如果结果架构类型为 XSD 匿名类型,则为 true;否则为 false。
+
+
+ 获取或设置一个值,该值指示是否要在 XML 架构文档中包含该类型。
+ 若要将此类型包括到 XML 架构文档中,则为 true;否则为 false。
+
+
+ 获取或设置 XML 类型的命名空间。
+ XML 类型的命名空间。
+
+
+ 获取或设置 XML 类型的名称。
+ XML 类型的名称。
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/zh-hant/System.Xml.XmlSerializer.xml b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/zh-hant/System.Xml.XmlSerializer.xml
new file mode 100644
index 0000000..9acaf29
--- /dev/null
+++ b/packages/System.Xml.XmlSerializer.4.3.0/ref/netstandard1.3/zh-hant/System.Xml.XmlSerializer.xml
@@ -0,0 +1,925 @@
+
+
+
+ System.Xml.XmlSerializer
+
+
+
+ 指定成員 (傳回 物件陣列的欄位) 可以包含任何 XML 屬性。
+
+
+ 建構 類別的新執行個體。
+
+
+ 指定成員 (傳回 或 物件陣列的欄位) 包含物件,該物件表示在序列化或還原序列化物件中沒有對應成員的任何 XML 項目。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,指定 XML 文件中產生的 XML 項目名稱。
+
+ 產生的 XML 項目名稱。
+
+
+ 初始化 類別的新執行個體,指定 XML 文件中產生的 XML 項目名稱及其 XML 命名空間。
+
+ 產生的 XML 項目名稱。
+ XML 項目的 XML 命名空間。
+
+
+ 取得或設定 XML 項目名稱。
+ XML 項目的名稱。
+ 陣列成員的項目名稱與 屬性指定的項目名稱不符。
+
+
+ 取得或設定在 XML 文件中產生的 XML 命名空間。
+ XML 命名空間。
+
+
+ 取得或設定項目序列化或還原序列化的明確順序。
+ 程式碼產生的順序。
+
+
+ 表示 物件的集合。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 將 加入集合中。
+ 新加入之 的索引。
+ 要相加的 。
+
+
+ 從 移除所有物件。無法覆寫這個方法。
+
+
+ 取得值,指出指定 是否存在於集合中。
+ 如果集合中有 ,則為 true,否則為 false。
+ 您所要的 。
+
+
+ 從目標陣列的指定索引開始,複製整個集合至 物件的相容一維陣列。
+
+ 物件的一維陣列,從集合複製之項目的目的地。陣列必須有以零起始的索引。
+
+ 中以零起始的索引,是複製開始的位置。
+
+
+ 取得包含在 執行個體中的項目數目。
+ 包含在 執行個體中的項目數目。
+
+
+ 傳回在 中逐一查看的列舉值。
+ 逐一查看 的列舉程式。
+
+
+ 取得指定 的索引。
+ 指定之 的索引。
+ 您想要其索引的 。
+
+
+ 將 插入集合中指定之索引處。
+ 插入 的索引。
+ 要插入的 。
+
+
+ 取得或設定在指定索引處的 。
+ 在指定索引處的 。
+
+ 的索引。
+
+
+ 從集合中移除指定的 。
+ 要移除的 。
+
+
+ 移除 中指定之索引處的項目。無法覆寫這個方法。
+ 要移除的元素索引。
+
+
+ 從目標陣列的指定索引開始,複製整個集合至 物件的相容一維陣列。
+ 一維陣列。
+ 指定的索引。
+
+
+ 取得值,這個值表示對 的存取是否同步 (安全執行緒)。
+ 如果 的存取已同步處理,則為 True,否則為 false。
+
+
+ 取得可用來同步存取 的物件。
+ 可用來同步存取 的物件。
+
+
+ 將物件加入至 的結尾。
+ 已加入集合中的物件。
+ 要加入至集合之物件的值。
+
+
+ 判斷 是否含有特定元素。
+ 如果 包含特定項目則為 True,否則為 false。
+ 項目的值。
+
+
+ 搜尋指定的物件,並傳回整個 中第一個相符項目之以零起始的索引。
+ 物件以零起始的索引。
+ 物件的值。
+
+
+ 將項目插入 中指定的索引處。
+ 將項目插入之處的索引。
+ 項目的值。
+
+
+ 取得值,指出 為固定大小。
+ 如果 有固定大小,則為 True,否則為 false。
+
+
+ 取得值,指出 是否唯讀。
+ 如果 是唯讀的則為 True,否則為 false。
+
+
+ 取得或設定指定之索引處的項目。
+ 在指定之索引處的項目。
+ 項目的索引。
+
+
+ 從 移除特定物件的第一個相符項目。
+ 已移除物件的值。
+
+
+ 指定 必須將特定類別成員序列化為 XML 項目的陣列。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,指定 XML 文件執行個體中產生的 XML 項目名稱。
+
+ 產生的 XML 項目名稱。
+
+
+ 取得或設定指定給序列化陣列的 XML 項目名稱。
+ 序列化陣列的 XML 項目名稱。預設值為被指派了 的成員名稱。
+
+
+ 取得或設定值,指出 產生的 XML 項目名稱是限定的還是非限定的。
+ 其中一個 值。預設為 XmlSchemaForm.None。
+
+
+ 取得或設定值,指出 是否必須將成員序列化為 xsi:nil 屬性設為 true 的空 XML 標記。
+ 如果 產生 xsi:nil 屬性,則為 true,否則為 false。
+
+
+ 取得或設定 XML 項目的命名空間。
+ XML 項目的命名空間。
+
+
+ 取得或設定項目序列化或還原序列化的明確順序。
+ 程式碼產生的順序。
+
+
+ 表示屬性,這個屬性會指定 可置於序列化陣列中的衍生型別。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,指定 XML 文件中產生的 XML 項目名稱。
+ XML 項目的名稱。
+
+
+ 初始化 類別的新執行個體,指定 XML 文件中產生的 XML 項目名稱,以及可插入所產生之 XML 文件的 。
+ XML 項目的名稱。
+ 要序列化的物件的 。
+
+
+ 初始化 類別的新執行個體,指定可插入序列化陣列的 。
+ 要序列化的物件的 。
+
+
+ 取得或設定產生的 XML 項目的 XML 資料型別。
+ XML 結構描述定義 (XSD) 資料型別,如全球資訊網協會 (www.w3.org ) 文件<XML Schema Part 2: DataTypes>中所定義。
+
+
+ 取得或設定產生的 XML 項目的名稱。
+ 產生的 XML 項目的名稱。預設值為成員識別項。
+
+
+ 取得或設定值,指出產生的 XML 項目名稱是否為限定的。
+ 其中一個 值。預設為 XmlSchemaForm.None。
+
+ 屬性設定為 XmlSchemaForm.Unqualified,並且指定 值。
+
+
+ 取得或設定值,指出 是否必須將成員序列化為 xsi:nil 屬性設為 true 的空 XML 標記。
+ 如果 產生 xsi:nil 屬性,則為 true,否則為 false,而且不會產生執行個體。預設為 true。
+
+
+ 取得或設定產生的 XML 項目之的命名空間。
+ 產生的 XML 項目的命名空間。
+
+
+ 取得或設定 影響的 XML 項目的階層架構中的層級。
+ 在陣列組成之陣列的一組索引中,以零起始的索引。
+
+
+ 取得或設定陣列中允許的型別。
+ 陣列中所允許的 。
+
+
+ 表示 物件的集合。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 將 加入集合中。
+ 加入項目的索引。
+ 要加入到集合中的 。
+
+
+ 將所有元素從 移除。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 判斷集合是否包含指定的 。
+ 如果集合包含指定的 ,則為 true,否則為 false。
+ 要檢查的 。
+
+
+ 從指定的目標索引,複製 陣列至集合。
+ 要複製至集合的 物件陣列。
+ 複製屬性開始處的索引。
+
+
+ 取得 中所包含的元素數。
+
+ 中所包含的項目數。
+
+
+ 傳回整個 的列舉程式。
+ 整個 的 。
+
+
+ 傳回集合中找到的第一個指定 之以零起始的索引,如果在集合中找不到屬性,則為 -1。
+ 集合中 的第一個索引,如果在集合中找不到屬性,則為 -1。
+ 要在集合中尋找的 。
+
+
+ 將 插入集合中指定之索引處。
+ 插入屬性的索引。
+ 要插入的 。
+
+
+ 取得或設定在指定索引處的項目。
+ 在指定索引處的 。
+ 要取得或設定以零起始的集合成員索引。
+
+
+ 如果存在 ,則從集合移除它。
+ 要移除的 。
+
+
+ 移除指定之索引處的 項目。
+ 要移除項目之以零啟始的索引。
+
+ 不是 中的有效索引。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 從目標陣列的指定索引開始,複製整個 至相容的一維 。
+ 一維 ,是從 複製過來之項目的目的端。 必須有以零起始的索引。
+
+
+ 取得值,這個值表示對 的存取是否同步 (安全執行緒)。
+ 如果對 的存取為同步 (安全執行緒),則為 true,否則為 false。
+
+
+
+ 將物件加入至 的結尾。
+ 已加入 的 索引。
+ 要加入至 結尾的 。此值可以是 null。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 判斷集合是否包含指定的 。
+ 如果集合包含指定的 ,則為 true,否則為 false。
+
+
+ 傳回集合中找到的第一個指定 之以零起始的索引,如果在集合中找不到屬性,則為 -1。
+ 集合中 的第一個索引,如果在集合中找不到屬性,則為 -1。
+
+
+ 將項目插入 中指定的索引處。
+ 應該插入 之以零起始的索引。
+ 要插入的 。此值可以是 null。
+
+ 小於零。-或- 大於 。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 取得值,指出 是否有固定的大小。
+ 如果 有固定大小,則為 true,否則為 false。
+
+
+ 取得值,指出 是否唯讀。
+ 如果 是唯讀的則為 true,否則為 false。
+
+
+ 取得或設定在指定索引處的項目。
+ 在指定索引處的 。
+ 要取得或設定以零起始的集合成員索引。
+
+
+ 從 移除特定物件的第一個相符項目。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 指定 必須將類別成員序列化為 XML 屬性。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,並指定產生的 XML 屬性的名稱。
+
+ 產生的 XML 屬性名稱。
+
+
+ 初始化 類別的新執行個體。
+ 產生的 XML 屬性名稱。
+
+ ,用於儲存屬性。
+
+
+ 初始化 類別的新執行個體。
+
+ ,用於儲存屬性。
+
+
+ 取得或設定 XML 屬性的名稱。
+ XML 屬性的名稱。預設為成員名稱。
+
+
+ 取得或設定由 產生之 XML 屬性的 XSD 資料型別。
+ XSD (XML 結構描述文件) 資料型別,如全球資訊網協會 (www.w3.org ) 文件<XML Schema: DataTypes>中所定義。
+
+
+ 取得或設定值,指出 產生的 XML 屬性名稱是否為限定的。
+ 其中一個 值。預設為 XmlForm.None。
+
+
+ 取得或設定 XML 屬性的 XML 命名空間。
+ XML 屬性的 XML 命名空間。
+
+
+ 取得或設定 XML 屬性的複雜型別。
+ XML 屬性的型別。
+
+
+ 當使用 來序列化或還原序列化物件時,允許您覆寫屬性 (Property)、欄位和類別屬性 (Attribute)。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 將 物件加入 物件的集合。 參數會指定要被覆寫的物件。 參數指定覆寫的成員名稱。
+ 要覆寫之物件的 。
+ 要覆寫的成員名稱。
+ 表示覆寫屬性的 物件。
+
+
+ 將 物件加入 物件的集合。 參數會指定要由 物件覆寫的物件。
+ 覆寫之物件的 。
+ 表示覆寫屬性的 物件。
+
+
+ 取得與指定的、基底類別、型別相關的物件
+ 表示覆寫屬性集合的 。
+ 基底類別 ,與要擷取的屬性集合相關聯。
+
+
+ 取得與指定的 (基底類別) 型別相關的物件。成員參數會指定已覆寫的基底類別成員。
+ 表示覆寫屬性集合的 。
+ 基底類別 ,與您想要的屬性集合相關聯。
+ 指定傳回 的覆寫成員名稱。
+
+
+ 表示用來控制 序列化與還原序列化物件方式的屬性 (Attribute) 物件集合。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 取得或設定要覆寫的 。
+ 要覆寫的 。
+
+
+ 取得要覆寫的 物件的集合。
+
+ 物件,表示 物件的集合。
+
+
+ 取得或設定物件,指定 如何序列化公用欄位或會傳回陣列的讀取/寫入屬性。
+
+ ,指定 如何序列化公用欄位或會傳回陣列的讀取/寫入屬性。
+
+
+ 取得或設定物件集合,指定 如何序列化項目 (用來插入至公用欄位或讀取/寫入屬性所傳回的陣列)。
+ 包含 物件集合的 物件。
+
+
+ 取得或設定物件,指定 如何將公用欄位或公用讀取/寫入屬性序列化為 XML 屬性。
+
+ ,控制將公用欄位或讀取/寫入屬性 (Property) 序列化為 XML 屬性 (Attribute)。
+
+
+ 取得或設定物件,讓您在一組選項間進行區別。
+
+ ,可以套用至序列化為 xsi:choice 項目的類別成員。
+
+
+ 取得或設定 XML 項目或屬性的預設值。
+
+ ,表示 XML 項目或屬性的預設值。
+
+
+ 取得物件的集合,指定 如何將公用欄位或讀取/寫入屬性序列化為 XML 項目。
+ 包含 物件集合的 。
+
+
+ 取得或設定物件,指定 如何序列化列舉型別 (Enumeration) 成員。
+
+ ,指定 如何序列化列舉型別成員。
+
+
+ 取得或設定數值,指定 是否要序列化公用欄位或公用讀取/寫入屬性。
+ 如果 必須不序列化欄位或屬性,則為 true,否則為 false。
+
+
+ 取得或設定數值,指定當物件包含傳回已覆寫 物件的成員時,是否要保留所有的命名空間宣告。
+ 如果應該保留命名空間宣告,則為 true,否則為 false。
+
+
+ 取得或設定物件,指定 如何將類別序列化為 XML (Root Element)。
+
+ ,覆寫類別屬性為 XML 根項目。
+
+
+ 取得或設定物件,指定 將公用欄位或公用讀取/寫入屬性序列化為 XML 文字。
+
+ ,覆寫公用屬性或欄位的預設序列化。
+
+
+ 取得或設定物件,指定 如何序列化套用 的類別。
+
+ ,會覆寫套用 至類別宣告 (Class Declaration)。
+
+
+ 指定可以使用列舉型別進一步偵測成員。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體。
+ 成員名稱,傳回用於偵測選擇的列舉型別。
+
+
+ 取得或設定欄位的名稱,該欄位傳回偵測型別時使用的列舉型別。
+ 傳回列舉型別之欄位的名稱。
+
+
+ 表示在 序列化或還原序列化包含 XML 項目的物件時,公用欄位或屬性表示該項目。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,並且指定 XML 項目的名稱。
+ 序列成員的 XML 項目名稱。
+
+
+ 初始化 的新執行個體,並針對套用 的成員指定 XML 項目名稱和衍生型別。這個成員型別用於 序列化包含它的物件時。
+ 序列成員的 XML 項目名稱。
+ 衍生自成員型別的物件 。
+
+
+ 初始化 類別的新執行個體,並針對套用 的成員指定型別。序列化或還原序列化包含這個型別的物件時, 會使用該型別。
+ 衍生自成員型別的物件 。
+
+
+ 取得或設定 所產生 XML 項目的 XML 結構描述定義 (XSD) 資料型別。
+ XML 結構描述資料型別,如全球資訊網協會 (www.w3.org ) 文件<XML Schema Part 2: Datatypes>所定義。
+ 您指定的 XML 結構描述資料型別無法對應至 .NET 資料型別。
+
+
+ 取得或設定產生的 XML 項目的名稱。
+ 產生的 XML 項目的名稱。預設值為成員識別項。
+
+
+ 取得或設定值,指出項目是否為限定的。
+ 其中一個 值。預設為 。
+
+
+ 取得或設定值,指出 是否必須將設為 null 的成員序列化為 xsi:nil 屬性設為 true 的空標記。
+ 如果 產生 xsi:nil 屬性,則為 true,否則為 false。
+
+
+ 取得或設定指派給類別序列化時所產生之 XML 項目的命名空間。
+ XML 項目的命名空間。
+
+
+ 取得或設定項目序列化或還原序列化的明確順序。
+ 程式碼產生的順序。
+
+
+ 取得或設定用來表示 XML 項目的物件類型。
+ 成員的 。
+
+
+ 代表 物件的集合,由 用於覆寫其序列化類別的預設方式。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 將 加入集合中。
+ 新加入項目之以零起始的索引。
+ 要相加的 。
+
+
+ 將所有元素從 移除。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 判斷集合是否包含指定的物件。
+ 如果集合中有該物件則為true,否則為 false。
+ 要尋找的 。
+
+
+ 複製 或其中一部分至一維陣列。
+ 要儲存所複製項目的 陣列。
+
+ 中以零起始的索引,是複製開始的位置。
+
+
+ 取得 中所包含的元素數。
+
+ 中所包含的項目數。
+
+
+ 傳回整個 的列舉程式。
+ 整個 的 。
+
+
+ 取得指定 的索引。
+
+ 的以零起始的索引。
+ 正在擷取其索引的 。
+
+
+ 將 插入集合。
+ 插入成員所在位置之以零起始的索引。
+ 要插入的 。
+
+
+ 取得或設定指定之索引處的項目。
+ 在指定之索引處的項目。
+ 要取得或設定之以零起始的項目索引。
+
+ 不是 中的有效索引。
+ 屬性已設定,而且 是唯讀的。
+
+
+ 從集合中移除指定的物件。
+ 要從集合中移除的 。
+
+
+ 移除指定之索引處的 項目。
+ 要移除項目之以零啟始的索引。
+
+ 不是 中的有效索引。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 從目標陣列的指定索引開始,複製整個 至相容的一維 。
+ 一維 ,是從 複製過來之項目的目的端。 必須有以零起始的索引。
+
+
+ 取得值,這個值表示對 的存取是否同步 (安全執行緒)。
+ 如果對 的存取為同步 (安全執行緒),則為 true,否則為 false。
+
+
+ 取得可用來同步存取 的物件。
+ 可用來同步存取 的物件。
+
+
+ 將物件加入至 的結尾。
+ 已加入 的 索引。
+ 要加入至 結尾的 。此值可以是 null。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 判斷 是否包含特定值。
+ 如果在 中找到 ,則為 true,否則為 false。
+ 要在 中尋找的物件。
+
+
+ 判斷 中特定項目的索引。
+ 如果可在清單中找到,則為 的索引,否則為 -1。
+ 要在 中尋找的物件。
+
+
+ 將項目插入 中指定的索引處。
+ 應該插入 之以零起始的索引。
+ 要插入的 。此值可以是 null。
+
+ 小於零。-或- 大於 。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 取得值,指出 是否有固定的大小。
+ 如果 有固定大小,則為 true,否則為 false。
+
+
+ 取得值,指出 是否唯讀。
+ 如果 是唯讀的則為 true,否則為 false。
+
+
+ 取得或設定指定之索引處的項目。
+ 在指定之索引處的項目。
+ 要取得或設定之以零起始的項目索引。
+
+ 不是 中的有效索引。
+ 屬性已設定,而且 是唯讀的。
+
+
+ 從 移除特定物件的第一個相符項目。
+
+ 是唯讀的。-或- 具有固定的大小。
+
+
+ 控制 序列化列舉型別 (Enumeration) 成員的方式。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,並指定 分別在序列化或還原序列化列舉型別時所產生或識別的 XML 值。
+ 列舉型別成員的覆寫名稱。
+
+
+ 取得或設定當 序列化列舉型別時,在 XML 文件執行個體所產生的值,或是當它還原序列化列舉型別成員時所識別的值。
+ 當 序列化列舉型別時,在 XML 文件執行個體中所產生的值,或是當它還原序列化列舉型別成員時所識別的值。
+
+
+ 表示 的 方法不要序列化公用欄位或公用讀取/寫入屬性值。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 讓 在對物件進行序列化或還原序列化時,能夠辨識型別。
+
+
+ 初始化 類別的新執行個體。
+ 要包含的物件的 。
+
+
+ 取得或設定要包含的物件的型別。
+ 要包含的物件的 。
+
+
+ 指定目標屬性、參數、傳回值或類別成員,包含與 XML 文件內使用之命名空間相關聯的前置詞。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 控制做為 XML 根項目之屬性目標的 XML 序列化。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,並指定 XML 根項目的名稱。
+ XML 根項目的名稱。
+
+
+ 取得或設定 XML 根項目的 XSD 資料型別。
+ XSD (XML 結構描述文件) 資料型別,如全球資訊網協會 (www.w3.org ) 文件<XML Schema: DataTypes>中所定義。
+
+
+ 取得或設定分別由 類別的 和 方法所產生和辨識的 XML 項目。
+ 在 XML 文件執行個體中所產生或辨識的 XML 根項目名稱。預設值為序列類別的名稱。
+
+
+ 取得或設定值,指出 是否必須將設為 null 的成員序列化為設為 true 的 xsi:nil 屬性。
+ 如果 產生 xsi:nil 屬性,則為 true,否則為 false。
+
+
+ 取得或設定 XML 根項目的命名空間。
+ XML 根項目的命名空間。
+
+
+ 將物件序列化成為 XML 文件,以及從 XML 文件將物件還原序列化。 可讓您控制如何將物件編碼為 XML。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,該類別可將指定型別的物件序列化為 XML 文件,並可將 XML 文件還原序列化為指定型別的物件。
+ 這個 可序列化的物件型別。
+
+
+ 初始化 類別的新執行個體,該類別可將指定型別的物件序列化為 XML 文件,並可將 XML 文件還原序列化為指定型別的物件。指定所有 XML 項目的預設命名空間。
+ 這個 可序列化的物件型別。
+ 用於所有 XML 項目的預設命名空間。
+
+
+ 初始化 類別的新執行個體,該類別可將指定型別的物件序列化為 XML 文件,並可將 XML 文件還原序列化為指定型別的物件。如果屬性或欄位傳回陣列, 參數就會指定可插入陣列的物件。
+ 這個 可序列化的物件型別。
+ 要序列化之其他物件型別的 陣列。
+
+
+ 初始化 類別的新執行個體,該類別可將指定型別的物件序列化為 XML 文件,並可將 XML 文件還原序列化為指定型別的物件。每個要序列化的物件本身會包含類別執行個體,這個多載可以其他類別覆寫。
+ 要序列化的物件型別。
+
+ 。
+
+
+ 初始化 類別的新執行個體,該類別可將 型別的物件序列化為 XML 文件執行個體,並可將 XML 文件執行個體還原序列化為 型別的物件。每個要序列化的物件本身都可包含類別的執行個體,這個多載會使用其他類別對其進行覆寫。這個多載也會指定所有 XML 項目的預設命名空間,以及要做為 XML 根項目的類別。
+ 這個 可序列化的物件型別。
+
+ ,延伸或覆寫指定在 參數中類別的行為。
+ 要序列化之其他物件型別的 陣列。
+ 定義 XML 根項目屬性的 。
+ XML 文件中所有 XML 項目的預設命名空間。
+
+
+ 初始化 類別的新執行個體,該類別可將指定型別的物件序列化為 XML 文件,並可將 XML 文件還原序列化為指定型別的物件。它還指定做為 XML 根項目的類別。
+ 這個 可序列化的物件型別。
+ 表示 XML 根項目的 。
+
+
+ 取得值,指出這個 是否可以還原序列化指定的 XML 文件。
+ 如果這個 可以還原序列化 所指向的物件,則為 true,否則為 false。
+
+ ,指向要還原序列化的文件。
+
+
+ 還原序列化指定 所包含的 XML 文件。
+ 要進行還原序列化的 。
+
+ ,包含要還原序列化的 XML 文件。
+
+
+ 還原序列化指定 所包含的 XML 文件。
+ 要進行還原序列化的 。
+
+ ,包含要還原序列化的 XML 文件。
+ 在還原序列化期間發生錯誤。可以使用 屬性取得原始例外狀況。
+
+
+ 還原序列化指定 所包含的 XML 文件。
+ 要進行還原序列化的 。
+
+ ,包含要還原序列化的 XML 文件。
+ 在還原序列化期間發生錯誤。可以使用 屬性取得原始例外狀況。
+
+
+ 傳回由型別陣列建立的 物件的陣列。
+
+ 物件的陣列。
+
+ 物件的陣列。
+
+
+ 序列化指定的 ,並使用指定的 將 XML 文件寫入檔案。
+ 用來寫入 XML 文件的 。
+ 要序列化的 。
+ 在序列化期間發生錯誤。可以使用 屬性取得原始例外狀況。
+
+
+ 序列化指定的 ,使用指定的 將 XML 文件寫入檔案,並參考指定的命名空間。
+ 用來寫入 XML 文件的 。
+ 要序列化的 。
+ 物件所參考的 。
+ 在序列化期間發生錯誤。可以使用 屬性取得原始例外狀況。
+
+
+ 序列化指定的 ,並使用指定的 將 XML 文件寫入檔案。
+ 用來寫入 XML 文件的 。
+ 要序列化的 。
+
+
+ 將指定的 序列化,使用指定的 將 XML 文件寫入檔案,並參考指定的命名空間。
+ 用來寫入 XML 文件的 。
+ 要序列化的 。
+
+ ,包含產生之 XML 文件的命名空間。
+ 在序列化期間發生錯誤。可以使用 屬性取得原始例外狀況。
+
+
+ 序列化指定的 ,並使用指定的 將 XML 文件寫入檔案。
+ 用來寫入 XML 文件的 。
+ 要序列化的 。
+ 在序列化期間發生錯誤。可以使用 屬性取得原始例外狀況。
+
+
+ 序列化指定的 ,使用指定的 將 XML 文件寫入檔案,並參考指定的命名空間。
+ 用來寫入 XML 文件的 。
+ 要序列化的 。
+ 物件所參考的 。
+ 在序列化期間發生錯誤。可以使用 屬性取得原始例外狀況。
+
+
+ 將 XML 命名空間 (Namespace) 和 用來產生限定名稱的前置詞包含在 XML 文件執行個體中。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 使用包含前置詞和命名空間配對集合之 的指定執行個體,初始化 XmlSerializerNamespaces 類別的新執行個體。
+
+ 的執行個體,包含命名空間和前置詞配對。
+
+
+ 初始化 類別的新執行個體。
+
+ 物件的陣列。
+
+
+ 將前置詞和命名空間配對加入 物件。
+ 與 XML 命名空間相關的前置詞。
+ XML 命名空間。
+
+
+ 取得集合中前置詞和命名空間配對的數目。
+ 集合中前置詞和命名空間配對數目。
+
+
+ 取得 物件中前置詞和命名空間配對的陣列。
+
+ 物件的陣列,在 XML 文件中用作限定名稱。
+
+
+ 表示 在序列化或還原序列化包含它的類別之後,應該將成員視為 XML 文字。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體。
+ 要序列化之成員的 。
+
+
+ 取得或設定 所產生之文字的XML 結構描述定義語言 (XSD) 資料型別。
+ XML 結構描述 (XSD) 資料型別,如全球資訊網協會 (www.w3.org ) 文件<XML Schema Part 2: Datatypes>中所定義。
+ 您指定的 XML 結構描述資料型別無法對應至 .NET 資料型別。
+ 您指定的 XML 結構描述資料型別對於該屬性無效,且無法轉換為成員型別。
+
+
+ 取得或設定成員的型別。
+ 成員的 。
+
+
+ 控制由 序列化屬性 (Attribute) 目標後所產生的 XML 結構描述。
+
+
+ 初始化 類別的新執行個體。
+
+
+ 初始化 類別的新執行個體,並指定 XML 型別的名稱。
+ XML 型別的名稱,是 序列化類別執行個體時所產生的 (並且對類別執行個體進行還原序列化時所辨識的)。
+
+
+ 取得或設定值,判斷產生的結構描述型別是否為 XSD 匿名型別。
+ 如果產生的結構描述型別是 XSD 匿名型別則為 true,否則為 false。
+
+
+ 取得或設定值,指出是否將型別包含在 XML 結構描述文件中。
+ 若要將型別包含於 XML 結構描述文件中,則為 true,否則為 false。
+
+
+ 取得或設定 XML 型別的命名空間。
+ XML 型別的命名空間。
+
+
+ 取得或設定 XML 型別的名稱。
+ XML 型別的名稱。
+
+
+
\ No newline at end of file
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/portable-net45+win8+wp8+wpa81/_._ b/packages/System.Xml.XmlSerializer.4.3.0/ref/portable-net45+win8+wp8+wpa81/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/win8/_._ b/packages/System.Xml.XmlSerializer.4.3.0/ref/win8/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/wp80/_._ b/packages/System.Xml.XmlSerializer.4.3.0/ref/wp80/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/wpa81/_._ b/packages/System.Xml.XmlSerializer.4.3.0/ref/wpa81/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/xamarinios10/_._ b/packages/System.Xml.XmlSerializer.4.3.0/ref/xamarinios10/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/xamarinmac20/_._ b/packages/System.Xml.XmlSerializer.4.3.0/ref/xamarinmac20/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/xamarintvos10/_._ b/packages/System.Xml.XmlSerializer.4.3.0/ref/xamarintvos10/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/ref/xamarinwatchos10/_._ b/packages/System.Xml.XmlSerializer.4.3.0/ref/xamarinwatchos10/_._
new file mode 100644
index 0000000..e69de29
diff --git a/packages/System.Xml.XmlSerializer.4.3.0/runtimes/aot/lib/netcore50/System.Xml.XmlSerializer.dll b/packages/System.Xml.XmlSerializer.4.3.0/runtimes/aot/lib/netcore50/System.Xml.XmlSerializer.dll
new file mode 100644
index 0000000..1c6cc32
Binary files /dev/null and b/packages/System.Xml.XmlSerializer.4.3.0/runtimes/aot/lib/netcore50/System.Xml.XmlSerializer.dll differ