Code:
/ DotNET / DotNET / 8.0 / untmp / whidbey / REDBITS / ndp / fx / src / CompMod / System / ComponentModel / EnumConverter.cs / 1 / EnumConverter.cs
//------------------------------------------------------------------------------ //// Copyright (c) Microsoft Corporation. All rights reserved. // //----------------------------------------------------------------------------- /* */ namespace System.ComponentModel { using Microsoft.Win32; using System.Collections; using System.Collections.Generic; using System.ComponentModel.Design.Serialization; using System.Globalization; using System.Diagnostics; using System.Reflection; using System.Runtime.Serialization.Formatters; using System.Runtime.Remoting; using System.Runtime.InteropServices; using System.Security.Permissions; ////// [HostProtection(SharedState = true)] public class EnumConverter : TypeConverter { ///Provides a type converter to convert ////// objects to and from various /// other representations. /// private StandardValuesCollection values; ////// Provides a ///that specifies the /// possible values for the enumeration. /// /// private Type type; ////// Specifies /// the /// type of the enumerator this converter is /// associated with. /// ////// public EnumConverter(Type type) { this.type = type; } ////// Initializes a new instance of the ///class for the given /// type. /// /// protected Type EnumType { get { return type; } } ///[To be supplied.] ////// protected StandardValuesCollection Values { get { return values; } set { values = value; } } ///[To be supplied.] ////// /// public override bool CanConvertFrom(ITypeDescriptorContext context, Type sourceType) { if (sourceType == typeof(string) || sourceType == typeof(Enum[])) { return true; } return base.CanConvertFrom(context, sourceType); } ///Gets a value indicating whether this converter /// can convert an object in the given source type to an enumeration object using /// the specified context. ////// public override bool CanConvertTo(ITypeDescriptorContext context, Type destinationType) { if (destinationType == typeof(InstanceDescriptor) || destinationType == typeof(Enum[])) { return true; } return base.CanConvertTo(context, destinationType); } ///Gets a value indicating whether this converter can /// convert an object to the given destination type using the context. ////// protected virtual IComparer Comparer { get { return InvariantComparer.Default; } } ///Gets an ////// interface that can /// be used to sort the values of the enumerator. /// /// public override object ConvertFrom(ITypeDescriptorContext context, CultureInfo culture, object value) { if (value is string) { try { string strValue = (string)value; if (strValue.IndexOf(',') != -1) { long convertedValue = 0; string[] values = strValue.Split(new char[] {','}); foreach(string v in values) { convertedValue |= Convert.ToInt64((Enum)Enum.Parse(type, v, true), culture); } return Enum.ToObject(type, convertedValue); } else { return Enum.Parse(type, strValue, true); } } catch (Exception e) { throw new FormatException(SR.GetString(SR.ConvertInvalidPrimitive, (string)value, type.Name), e); } } else if (value is Enum[]) { long finalValue = 0; foreach(Enum e in (Enum[])value) { finalValue |= Convert.ToInt64(e, culture); } return Enum.ToObject(type, finalValue); } return base.ConvertFrom(context, culture, value); } ///Converts the specified value object to an enumeration object. ////// /// [System.Diagnostics.CodeAnalysis.SuppressMessage("Microsoft.Performance", "CA1803:AvoidCostlyCallsWherePossible")] // Keep call to Enum.IsDefined public override object ConvertTo(ITypeDescriptorContext context, CultureInfo culture, object value, Type destinationType) { if (destinationType == null) { throw new ArgumentNullException("destinationType"); } if (destinationType == typeof(string) && value != null) { // Raise an argument exception if the value isn't defined and if // the enum isn't a flags style. // Type underlyingType = Enum.GetUnderlyingType(type); if (value is IConvertible && value.GetType() != underlyingType) { value = ((IConvertible)value).ToType(underlyingType, culture); } if (!type.IsDefined(typeof(FlagsAttribute), false) && !Enum.IsDefined(type, value)) { throw new ArgumentException(SR.GetString(SR.EnumConverterInvalidValue, value.ToString(), type.Name)); } return Enum.Format(type, value, "G"); } if (destinationType == typeof(InstanceDescriptor) && value != null) { string enumName = ConvertToInvariantString(context, value); if (type.IsDefined(typeof(FlagsAttribute), false) && enumName.IndexOf(',') != -1) { // This is a flags enum, and there is no one flag // that covers the value. Instead, convert the // value to the underlying type and invoke // a ToObject call on enum. // Type underlyingType = Enum.GetUnderlyingType(type); if (value is IConvertible) { object convertedValue = ((IConvertible)value).ToType(underlyingType, culture); MethodInfo method = typeof(Enum).GetMethod("ToObject", new Type[] {typeof(Type), underlyingType}); if (method != null) { return new InstanceDescriptor(method, new object[] {type, convertedValue}); } } } else { FieldInfo info = type.GetField(enumName); if (info != null) { return new InstanceDescriptor(info, null); } } } if (destinationType == typeof(Enum[]) && value != null) { if (type.IsDefined(typeof(FlagsAttribute), false)) { ListConverts the given /// value object to the /// specified destination type. ///flagValues = new List (); Array objValues = Enum.GetValues(type); long[] ulValues = new long[objValues.Length]; for(int idx = 0; idx < objValues.Length; idx++) { ulValues[idx] = Convert.ToInt64((Enum)objValues.GetValue(idx), culture); } long longValue = Convert.ToInt64((Enum)value, culture); bool valueFound = true; while(valueFound) { valueFound = false; foreach(long ul in ulValues) { if ((ul != 0 && (ul & longValue) == ul) || ul == longValue) { flagValues.Add((Enum)Enum.ToObject(type, ul)); valueFound = true; longValue &= ~ul; break; } } if (longValue == 0) { break; } } if (!valueFound && longValue != 0) { flagValues.Add((Enum)Enum.ToObject(type, longValue)); } return flagValues.ToArray(); } else { return new Enum[] {(Enum)Enum.ToObject(type, value)}; } } return base.ConvertTo(context, culture, value, destinationType); } /// /// /// public override StandardValuesCollection GetStandardValues(ITypeDescriptorContext context) { if (values == null) { // We need to get the enum values in this rather round-about way so we can filter // out fields marked Browsable(false). Note that if multiple fields have the same value, // the behavior is undefined, since what we return are just enum values, not names. Type reflectType = TypeDescriptor.GetReflectionType(type); if (reflectType == null) { reflectType = type; } FieldInfo[] fields = reflectType.GetFields(BindingFlags.Public | BindingFlags.Static); ArrayList objValues = null; if (fields != null && fields.Length > 0) { objValues = new ArrayList(fields.Length); } if (objValues != null) { foreach (FieldInfo field in fields) { BrowsableAttribute browsableAttr = null; foreach (Attribute attr in field.GetCustomAttributes(typeof(BrowsableAttribute), false)) { browsableAttr = attr as BrowsableAttribute; } if (browsableAttr == null || browsableAttr.Browsable) { object value = null; try { if (field.Name != null) { value = Enum.Parse(type, field.Name); } } catch (ArgumentException) { // Hmm, for some reason, the parse threw. Let us ignore this value. } if (value != null) { objValues.Add(value); } } } IComparer comparer = Comparer; if (comparer != null) { objValues.Sort(comparer); } } Array arr = (objValues != null) ? objValues.ToArray() : null; values = new StandardValuesCollection(arr); } return values; } ///Gets a collection of standard values for the data type this validator is /// designed for. ////// /// public override bool GetStandardValuesExclusive(ITypeDescriptorContext context) { return !type.IsDefined(typeof(FlagsAttribute), false); } ///Gets a value indicating whether the list of standard values returned from /// ////// is an exclusive list using the specified context. /// /// public override bool GetStandardValuesSupported(ITypeDescriptorContext context) { return true; } ///Gets a value indicating /// whether this object /// supports a standard set of values that can be picked /// from a list using the specified context. ////// /// [System.Diagnostics.CodeAnalysis.SuppressMessage("Microsoft.Performance", "CA1803:AvoidCostlyCallsWherePossible")] // Keep call to Enum.IsDefined public override bool IsValid(ITypeDescriptorContext context, object value) { return Enum.IsDefined(type, value); } } }Gets a value indicating whether the given object value is valid for this type. ///
Link Menu

This book is available now!
Buy at Amazon US or
Buy at Amazon UK
- XmlILAnnotation.cs
- BuildProviderAppliesToAttribute.cs
- FastPropertyAccessor.cs
- CacheChildrenQuery.cs
- SequenceDesigner.cs
- CancelAsyncOperationRequest.cs
- FirstMatchCodeGroup.cs
- PersonalizationAdministration.cs
- TextBoxView.cs
- ADMembershipUser.cs
- SqlCommandBuilder.cs
- DocumentSequenceHighlightLayer.cs
- MessagePartSpecification.cs
- COM2ExtendedBrowsingHandler.cs
- ClientTargetSection.cs
- MimeObjectFactory.cs
- OdbcTransaction.cs
- QuestionEventArgs.cs
- ScriptControlManager.cs
- XamlWriter.cs
- TcpServerChannel.cs
- ActiveXHelper.cs
- WindowsScroll.cs
- MenuBase.cs
- Confirm.cs
- ProjectionPlanCompiler.cs
- ScrollChrome.cs
- CodeMemberMethod.cs
- HwndPanningFeedback.cs
- PolyBezierSegment.cs
- FormCollection.cs
- SapiRecoInterop.cs
- IdnMapping.cs
- InvalidPrinterException.cs
- ContentPathSegment.cs
- GestureRecognizer.cs
- AnnotationStore.cs
- HttpListener.cs
- WSIdentityFaultException.cs
- ComPersistableTypeElementCollection.cs
- TranslateTransform.cs
- MediaElement.cs
- ShapeTypeface.cs
- GrammarBuilder.cs
- indexingfiltermarshaler.cs
- MsmqInputChannelListener.cs
- AssertFilter.cs
- FormatPage.cs
- WebErrorHandler.cs
- WindowsImpersonationContext.cs
- WinFormsSecurity.cs
- UIElementIsland.cs
- CqlParserHelpers.cs
- DataTemplateSelector.cs
- TreeViewItem.cs
- x509utils.cs
- ConfigXmlWhitespace.cs
- TextFormatterContext.cs
- LocalizableAttribute.cs
- KnownColorTable.cs
- WebServiceParameterData.cs
- DetailsViewCommandEventArgs.cs
- AsyncOperation.cs
- JournalEntryListConverter.cs
- MexNamedPipeBindingCollectionElement.cs
- BasePattern.cs
- ResourceProviderFactory.cs
- SrgsRule.cs
- MessageDecoder.cs
- XMLSyntaxException.cs
- DiscoveryServerProtocol.cs
- EllipseGeometry.cs
- X509Extension.cs
- Grammar.cs
- SecurityContext.cs
- ProfileGroupSettings.cs
- HttpCachePolicy.cs
- KeyValuePairs.cs
- ElementMarkupObject.cs
- CommandValueSerializer.cs
- DrawingState.cs
- DataTableClearEvent.cs
- Region.cs
- GlyphCache.cs
- JulianCalendar.cs
- ItemsChangedEventArgs.cs
- IntellisenseTextBox.designer.cs
- TcpChannelFactory.cs
- StrongName.cs
- ProxyWebPartManager.cs
- Vector3DAnimationBase.cs
- CrossSiteScriptingValidation.cs
- MultiByteCodec.cs
- SHA1CryptoServiceProvider.cs
- StringExpressionSet.cs
- BamlStream.cs
- TypePropertyEditor.cs
- DbExpressionVisitor_TResultType.cs
- KeyMatchBuilder.cs
- StringStorage.cs