una sharp que net method extensions extension extender extended create clase c# .net open-source extension-methods

c# - que - extensions c sharp



¿Cuáles son tus métodos de extensión favoritos para C#?(codeplex.com/extensionoverflow) (30)

Hagamos una lista de respuestas donde publique sus excelentes y favoritos métodos de extensión .

El requisito es que se debe publicar el código completo y un ejemplo y una explicación sobre cómo usarlo.

Basado en el gran interés en este tema, he configurado un proyecto de código abierto llamado extensionoverflow en Codeplex .

Marque sus respuestas con una aceptación para colocar el código en el proyecto Codeplex.

Por favor, publique el código fuente completo y no un enlace.

Noticias Codeplex:

24.08.2010 La página de Codeplex ahora está aquí: http://extensionoverflow.codeplex.com/

11.11.2008 XmlSerialize / XmlDeserialize ahora está Implemented y probado en unidades .

11.11.2008 Todavía hay espacio para más desarrolladores. ;-) ¡ Únete ahora!

11.11.2008 El tercer contribuidor se unió a Codeplex , bienvenido a BKristensen

11.11.2008 FormatWith ahora está Implemented y probado en unidades .

09.11.2008 Segundo contribuyente se unió a Codeplex . Bienvenido a chakrit .

09.11.2008 Necesitamos más desarrolladores. ;-)

09.11.2008 ThrowIfArgumentIsNull en ahora Implemented y unidad probada en Codeplex.


¿Estos son de alguna utilidad?

public static bool CoinToss(this Random rng) { return rng.Next(2) == 0; } public static T OneOf<T>(this Random rng, params T[] things) { return things[rng.Next(things.Length)]; } Random rand; bool luckyDay = rand.CoinToss(); string babyName = rand.OneOf("John", "George", "Radio XBR74 ROCKS!");


Aquí hay una lista de números romanos. No se utiliza a menudo, pero podría ser útil. Uso:

if ("IV".IsValidRomanNumeral()) { // Do useful stuff with the number 4. } Console.WriteLine("MMMDCCCLXXXVIII".ParseRomanNumeral()); Console.WriteLine(3888.ToRomanNumeralString());

La fuente:

public static class RomanNumeralExtensions { private const int NumberOfRomanNumeralMaps = 13; private static readonly Dictionary<string, int> romanNumerals = new Dictionary<string, int>(NumberOfRomanNumeralMaps) { { "M", 1000 }, { "CM", 900 }, { "D", 500 }, { "CD", 400 }, { "C", 100 }, { "XC", 90 }, { "L", 50 }, { "XL", 40 }, { "X", 10 }, { "IX", 9 }, { "V", 5 }, { "IV", 4 }, { "I", 1 } }; private static readonly Regex validRomanNumeral = new Regex( "^(?i:(?=[MDCLXVI])((M{0,3})((C[DM])|(D?C{0,3}))" + "?((X[LC])|(L?XX{0,2})|L)?((I[VX])|(V?(II{0,2}))|V)?))$", RegexOptions.Compiled); public static bool IsValidRomanNumeral(this string value) { return validRomanNumeral.IsMatch(value); } public static int ParseRomanNumeral(this string value) { if (value == null) { throw new ArgumentNullException("value"); } value = value.ToUpperInvariant().Trim(); var length = value.Length; if ((length == 0) || !value.IsValidRomanNumeral()) { throw new ArgumentException("Empty or invalid Roman numeral string.", "value"); } var total = 0; var i = length; while (i > 0) { var digit = romanNumerals[value[--i].ToString()]; if (i > 0) { var previousDigit = romanNumerals[value[i - 1].ToString()]; if (previousDigit < digit) { digit -= previousDigit; i--; } } total += digit; } return total; } public static string ToRomanNumeralString(this int value) { const int MinValue = 1; const int MaxValue = 3999; if ((value < MinValue) || (value > MaxValue)) { throw new ArgumentOutOfRangeException("value", value, "Argument out of Roman numeral range."); } const int MaxRomanNumeralLength = 15; var sb = new StringBuilder(MaxRomanNumeralLength); foreach (var pair in romanNumerals) { while (value / pair.Value > 0) { sb.Append(pair.Key); value -= pair.Value; } } return sb.ToString(); } }


Aquí hay uno que uso con frecuencia para el formato de presentación.

public static string ToTitleCase(this string mText) { if (mText == null) return mText; System.Globalization.CultureInfo cultureInfo = System.Threading.Thread.CurrentThread.CurrentCulture; System.Globalization.TextInfo textInfo = cultureInfo.TextInfo; // TextInfo.ToTitleCase only operates on the string if is all lower case, otherwise it returns the string unchanged. return textInfo.ToTitleCase(mText.ToLower()); }


El método de extensión:

public static void AddRange<T, S>(this ICollection<T> list, params S[] values) where S : T { foreach (S value in values) list.Add(value); }

El método se aplica a todos los tipos y le permite agregar un rango de elementos a una lista como parámetros.

Ejemplo:

var list = new List<Int32>(); list.AddRange(5, 4, 8, 4, 2);


Extraño la instrucción With de Visual Basic cuando me mudo a C #, así que aquí va:

public static void With<T>(this T obj, Action<T> act) { act(obj); }

Y aquí está cómo usarlo en C #:

someVeryVeryLonggggVariableName.With(x => { x.Int = 123; x.Str = "Hello"; x.Str2 = " World!"; });

¡Ahorra mucho escribir!

Compara esto con:

someVeryVeryLonggggVariableName.Int = 123; someVeryVeryLonggggVariableName.Str = "Hello"; someVeryVeryLonggggVariableName.Str2 = " World!";

poner en proyecto codeplex


ForEach para IEnumerables

public static class FrameworkExtensions { // a map function public static void ForEach<T>(this IEnumerable<T> @enum, Action<T> mapFunction) { foreach (var item in @enum) mapFunction(item); } }

Ejemplo ingenuo:

var buttons = GetListOfButtons() as IEnumerable<Button>; // click all buttons buttons.ForEach(b => b.Click());

Buen ejemplo:

// no need to type the same assignment 3 times, just // new[] up an array and use foreach + lambda // everything is properly inferred by csc :-) new { itemA, itemB, itemC } .ForEach(item => { item.Number = 1; item.Str = "Hello World!"; });

Nota:

Esto no es como Select porque Select espera que su función devuelva algo para transformarse en otra lista.

ForEach simplemente le permite ejecutar algo para cada uno de los elementos sin ninguna transformación / manipulación de datos.

Hice esto para poder programar en un estilo más funcional y me sorprendió que List tenga un ForEach, mientras que IEnumerable no.

Pon esto en el proyecto codeplex.


Me parece bastante útil este

public static class PaulaBean { private static String paula = "Brillant"; public static String GetPaula<T>(this T obj) { return paula; } }

Puedes usarlo en CodePlex.


Mis extensiones de conversión que te permiten hacer:

int i = myString.To<int>();

Aquí está, como se publicó en TheSoftwareJedi.com

public static T To<T>(this IConvertible obj) { return (T)Convert.ChangeType(obj, typeof(T)); } public static T ToOrDefault<T> (this IConvertible obj) { try { return To<T>(obj); } catch { return default(T); } } public static bool ToOrDefault<T> (this IConvertible obj, out T newObj) { try { newObj = To<T>(obj); return true; } catch { newObj = default(T); return false; } } public static T ToOrOther<T> (this IConvertible obj, T other) { try { return To<T>obj); } catch { return other; } } public static bool ToOrOther<T> (this IConvertible obj, out T newObj, T other) { try { newObj = To<T>(obj); return true; } catch { newObj = other; return false; } } public static T ToOrNull<T> (this IConvertible obj) where T : class { try { return To<T>(obj); } catch { return null; } } public static bool ToOrNull<T> (this IConvertible obj, out T newObj) where T : class { try { newObj = To<T>(obj); return true; } catch { newObj = null; return false; } }

Puede solicitar el valor predeterminado (llama al constructor en blanco o "0" para los números) en caso de error, especifique un valor "predeterminado" (lo llamo "otro"), o solicite un valor nulo (donde T: class). También proporcioné ambos modelos de excepciones silenciosas y un modelo TryParse típico que devuelve un valor bool que indica la acción realizada, y un parámetro out guarda el nuevo valor. Así que nuestro código puede hacer cosas como esta

int i = myString.To<int>(); string a = myInt.ToOrDefault<string>(); //note type inference DateTime d = myString.ToOrOther(DateTime.MAX_VALUE); double d; //note type inference bool didItGiveDefault = myString.ToOrDefault(out d); string s = myDateTime.ToOrNull<string>();

No pude conseguir que los tipos de Nullable se integraran de manera muy limpia. Lo intenté durante unos 20 minutos antes de tirar la toalla.


Para los controles de Winform:

/// <summary> /// Returns whether the function is being executed during design time in Visual Studio. /// </summary> public static bool IsDesignTime(this Control control) { if (LicenseManager.UsageMode == LicenseUsageMode.Designtime) { return true; } if (control.Site != null && control.Site.DesignMode) { return true; } var parent = control.Parent; while (parent != null) { if (parent.Site != null && parent.Site.DesignMode) { return true; } parent = parent.Parent; } return false; } /// <summary> /// Sets the DropDownWidth to ensure that no item''s text is cut off. /// </summary> public static void SetDropDownWidth(this ComboBox comboBox) { var g = comboBox.CreateGraphics(); var font = comboBox.Font; float maxWidth = 0; foreach (var item in comboBox.Items) { maxWidth = Math.Max(maxWidth, g.MeasureString(item.ToString(), font).Width); } if (comboBox.Items.Count > comboBox.MaxDropDownItems) { maxWidth += SystemInformation.VerticalScrollBarWidth; } comboBox.DropDownWidth = Math.Max(comboBox.Width, Convert.ToInt32(maxWidth)); }

Uso de IsDesignTime:

public class SomeForm : Form { public SomeForm() { InitializeComponent(); if (this.IsDesignTime()) { return; } // Do something that makes the visual studio crash or hang if we''re in design time, // but any other time executes just fine } }

SetDropdownWidth Usage:

ComboBox cbo = new ComboBox { Width = 50 }; cbo.Items.Add("Short"); cbo.Items.Add("A little longer"); cbo.Items.Add("Holy cow, this is a really, really long item. How in the world will it fit?"); cbo.SetDropDownWidth();

Olvidé mencionar, siéntase libre de usar estos en Codeplex ...


Por todos los medios pon esto en el proyecto codeplex.

Serialización / Deserialización de objetos a XML:

/// <summary>Serializes an object of type T in to an xml string</summary> /// <typeparam name="T">Any class type</typeparam> /// <param name="obj">Object to serialize</param> /// <returns>A string that represents Xml, empty otherwise</returns> public static string XmlSerialize<T>(this T obj) where T : class, new() { if (obj == null) throw new ArgumentNullException("obj"); var serializer = new XmlSerializer(typeof(T)); using (var writer = new StringWriter()) { serializer.Serialize(writer, obj); return writer.ToString(); } } /// <summary>Deserializes an xml string in to an object of Type T</summary> /// <typeparam name="T">Any class type</typeparam> /// <param name="xml">Xml as string to deserialize from</param> /// <returns>A new object of type T is successful, null if failed</returns> public static T XmlDeserialize<T>(this string xml) where T : class, new() { if (xml == null) throw new ArgumentNullException("xml"); var serializer = new XmlSerializer(typeof(T)); using (var reader = new StringReader(xml)) { try { return (T)serializer.Deserialize(reader); } catch { return null; } // Could not be deserialized to this type. } }


Tengo un método de extensión para el registro de excepciones:

public static void Log(this Exception obj) { //your logging logic here }

Y se usa así:

try { //Your stuff here } catch(Exception ex) { ex.Log(); }

[perdón por publicar dos veces; el segundo está mejor diseñado :-)]


Tengo varios métodos de extensión en mi proyecto MiscUtil (la fuente completa está disponible allí, no la voy a repetir aquí). Mis favoritos, algunos de los cuales involucran otras clases (como rangos):

Cosas de fecha y hora - principalmente para pruebas unitarias. No estoy seguro de que los usaría en producción :)

var birthday = 19.June(1976); var workingDay = 7.Hours() + 30.Minutes();

Rangos y pasos: muchas gracias a Marc Gravell por su trabajo de operador para hacer esto posible:

var evenNaturals = 2.To(int.MaxValue).Step(2); var daysSinceBirth = birthday.To(DateTime.Today).Step(1.Days());

Comparaciones

var myComparer = ProjectionComparer.Create(Person p => p.Name); var next = myComparer.ThenBy(p => p.Age); var reversed = myComparer.Reverse();

Comprobación de argumentos:

x.ThrowIfNull("x");

LINQ to XML aplicado a tipos anónimos (u otros tipos con propiedades apropiadas):

// <Name>Jon</Name><Age>32</Age> new { Name="Jon", Age=32}.ToXElements(); // Name="Jon" Age="32" (as XAttributes, obviously) new { Name="Jon", Age=32}.ToXAttributes()

Push LINQ - tardaría demasiado en explicarse aquí, pero búsquelo.


ThrowIfArgumentIsNull es una buena manera de hacer esa comprobación nula que todos deberíamos hacer.

public static class Extensions { public static void ThrowIfArgumentIsNull<T>(this T obj, string parameterName) where T : class { if (obj == null) throw new ArgumentNullException(parameterName + " not allowed to be null"); } }

A continuación se muestra la forma de usarlo y funciona en todas las clases en su espacio de nombres o donde quiera que use el espacio de nombres.

internal class Test { public Test(string input1) { input1.ThrowIfArgumentIsNull("input1"); } }

Está bien usar este código en el proyecto CodePlex .


Una forma conveniente de lidiar con los tamaños:

public static class Extensions { public static int K(this int value) { return value * 1024; } public static int M(this int value) { return value * 1024 * 1024; } } public class Program { public void Main() { WSHttpContextBinding serviceMultipleTokenBinding = new WSHttpContextBinding() { MaxBufferPoolSize = 2.M(), // instead of 2097152 MaxReceivedMessageSize = 64.K(), // instead of 65536 }; } }


string. Formato de acceso directo:

public static class StringExtensions { // Enable quick and more natural string.Format calls public static string F(this string s, params object[] args) { return string.Format(s, args); } }

Ejemplo:

var s = "The co-ordinate is ({0}, {1})".F(point.X, point.Y);

Para copiar y pegar rápido, vaya here .

¿No le parece más natural escribir "some string".F("param") lugar de string.Format("some string", "param") ?

Para un nombre más legible , pruebe una de estas sugerencias:

s = "Hello {0} world {1}!".Fmt("Stack", "Overflow"); s = "Hello {0} world {1}!".FormatBy("Stack", "Overflow"); s = "Hello {0} world {1}!".FormatWith("Stack", "Overflow"); s = "Hello {0} world {1}!".Display("Stack", "Overflow"); s = "Hello {0} world {1}!".With("Stack", "Overflow");

..


"Marque sus respuestas con una aceptación para poner el código en el proyecto de Codeplex".

¿Por qué?Todas las cosas en este sitio bajo CC-by-sa-2.5 , así que simplemente ponga su Proyecto de desbordamiento de Extensión bajo la misma licencia y podrá usarlo libremente.

De todos modos, aquí hay una función String.Reverse, basada en esta pregunta .

/// <summary> /// Reverse a String /// </summary> /// <param name="input">The string to Reverse</param> /// <returns>The reversed String</returns> public static string Reverse(this string input) { char[] array = input.ToCharArray(); Array.Reverse(array); return new string(array); }


DateTimeExtensions

Ejemplos:

DateTime firstDayOfMonth = DateTime.Now.First(); DateTime lastdayOfMonth = DateTime.Now.Last(); DateTime lastFridayInMonth = DateTime.Now.Last(DayOfWeek.Friday); DateTime nextFriday = DateTime.Now.Next(DayOfWeek.Friday); DateTime lunchTime = DateTime.Now.SetTime(11, 30); DateTime noonOnFriday = DateTime.Now.Next(DayOfWeek.Friday).Noon(); DateTime secondMondayOfMonth = DateTime.Now.First(DayOfWeek.Monday).Next(DayOfWeek.Monday).Midnight();


gitorious.org/cadenza es una biblioteca completa de algunos de los métodos de extensión más útiles que he visto.


Aquí hay uno que acabo de crear hoy.

// requires .NET 4 public static TReturn NullOr<TIn, TReturn>(this TIn obj, Func<TIn, TReturn> func, TReturn elseValue = default(TReturn)) where TIn : class { return obj != null ? func(obj) : elseValue; } // versions for CLR 2, which doesn''t support optional params public static TReturn NullOr<TIn, TReturn>(this TIn obj, Func<TIn, TReturn> func, TReturn elseValue) where TIn : class { return obj != null ? func(obj) : elseValue; } public static TReturn NullOr<TIn, TReturn>(this TIn obj, Func<TIn, TReturn> func) where TIn : class { return obj != null ? func(obj) : default(TReturn); }

Te permite hacer esto:

var lname = thingy.NullOr(t => t.Name).NullOr(n => n.ToLower());

que es más fluido y (IMO) más fácil de leer que esto:

var lname = (thingy != null ? thingy.Name : null) != null ? thingy.Name.ToLower() : null;


Convierta un doble a cadena formateada usando la cultura especificada:

public static class ExtensionMethods { public static string ToCurrency(this double value, string cultureName) { CultureInfo currentCulture = new CultureInfo(cultureName); return (string.Format(currentCulture, "{0:C}", value)); } }

Ejemplo:

double test = 154.20; string testString = test.ToCurrency("en-US"); // $154.20


Encontré este útil

public static IEnumerable<T> EmptyIfNull<T>(this IEnumerable<T> pSeq) { return pSeq ?? Enumerable.Empty<T>(); }

Se elimina la comprobación nula en el código de llamada. Ahora puedes hacer

MyList.EmptyIfNull().Where(....)


Gire esto:

DbCommand command = connection.CreateCommand(); command.CommandText = "SELECT @param"; DbParameter param = command.CreateParameter(); param.ParameterName = "@param"; param.Value = "Hello World"; command.Parameters.Add(param);

... dentro de esto:

DbCommand command = connection.CreateCommand("SELECT {0}", "Hello World");

... usando este método de extensión:

using System; using System.Data.Common; using System.Globalization; using System.Reflection; namespace DbExtensions { public static class Db { static readonly Func<DbConnection, DbProviderFactory> getDbProviderFactory; static readonly Func<DbCommandBuilder, int, string> getParameterName; static readonly Func<DbCommandBuilder, int, string> getParameterPlaceholder; static Db() { getDbProviderFactory = (Func<DbConnection, DbProviderFactory>)Delegate.CreateDelegate(typeof(Func<DbConnection, DbProviderFactory>), typeof(DbConnection).GetProperty("DbProviderFactory", BindingFlags.Instance | BindingFlags.NonPublic).GetGetMethod(true)); getParameterName = (Func<DbCommandBuilder, int, string>)Delegate.CreateDelegate(typeof(Func<DbCommandBuilder, int, string>), typeof(DbCommandBuilder).GetMethod("GetParameterName", BindingFlags.Instance | BindingFlags.NonPublic, Type.DefaultBinder, new Type[] { typeof(Int32) }, null)); getParameterPlaceholder = (Func<DbCommandBuilder, int, string>)Delegate.CreateDelegate(typeof(Func<DbCommandBuilder, int, string>), typeof(DbCommandBuilder).GetMethod("GetParameterPlaceholder", BindingFlags.Instance | BindingFlags.NonPublic, Type.DefaultBinder, new Type[] { typeof(Int32) }, null)); } public static DbProviderFactory GetProviderFactory(this DbConnection connection) { return getDbProviderFactory(connection); } public static DbCommand CreateCommand(this DbConnection connection, string commandText, params object[] parameters) { if (connection == null) throw new ArgumentNullException("connection"); return CreateCommandImpl(GetProviderFactory(connection).CreateCommandBuilder(), connection.CreateCommand(), commandText, parameters); } private static DbCommand CreateCommandImpl(DbCommandBuilder commandBuilder, DbCommand command, string commandText, params object[] parameters) { if (commandBuilder == null) throw new ArgumentNullException("commandBuilder"); if (command == null) throw new ArgumentNullException("command"); if (commandText == null) throw new ArgumentNullException("commandText"); if (parameters == null || parameters.Length == 0) { command.CommandText = commandText; return command; } object[] paramPlaceholders = new object[parameters.Length]; for (int i = 0; i < paramPlaceholders.Length; i++) { DbParameter dbParam = command.CreateParameter(); dbParam.ParameterName = getParameterName(commandBuilder, i); dbParam.Value = parameters[i] ?? DBNull.Value; command.Parameters.Add(dbParam); paramPlaceholders[i] = getParameterPlaceholder(commandBuilder, i); } command.CommandText = String.Format(CultureInfo.InvariantCulture, commandText, paramPlaceholders); return command; } } }

Más métodos de extensión ADO.NET: DbExtensions


Me cansé de la tediosa comprobación de nulos al extraer valores de MySqlDataReader, así que:

public static DateTime? GetNullableDateTime(this MySqlDataReader dr, string fieldName) { DateTime? nullDate = null; return dr.IsDBNull(dr.GetOrdinal(fieldName)) ? nullDate : dr.GetDateTime(fieldName); } public static string GetNullableString(this MySqlDataReader dr, string fieldName) { return dr.IsDBNull(dr.GetOrdinal(fieldName)) ? String.Empty : dr.GetString(fieldName); } public static char? GetNullableChar(this MySqlDataReader dr, string fieldName) { char? nullChar = null; return dr.IsDBNull(dr.GetOrdinal(fieldName)) ? nullChar : dr.GetChar(fieldName); }

Por supuesto, esto podría ser usado con cualquier SqlDataReader.

Tanto hangy como Joe tuvieron algunos buenos comentarios sobre cómo hacer esto, y desde entonces tuve la oportunidad de implementar algo similar en un contexto diferente, así que aquí hay otra versión:

public static int? GetNullableInt32(this IDataRecord dr, int ordinal) { int? nullInt = null; return dr.IsDBNull(ordinal) ? nullInt : dr.GetInt32(ordinal); } public static int? GetNullableInt32(this IDataRecord dr, string fieldname) { int ordinal = dr.GetOrdinal(fieldname); return dr.GetNullableInt32(ordinal); } public static bool? GetNullableBoolean(this IDataRecord dr, int ordinal) { bool? nullBool = null; return dr.IsDBNull(ordinal) ? nullBool : dr.GetBoolean(ordinal); } public static bool? GetNullableBoolean(this IDataRecord dr, string fieldname) { int ordinal = dr.GetOrdinal(fieldname); return dr.GetNullableBoolean(ordinal); }


Toma un camelCaseWord o PascalCaseWord y lo "expresa", es decir, camelCaseWord => camel Case Word

public static string Wordify( this string camelCaseWord ) { // if the word is all upper, just return it if( !Regex.IsMatch( camelCaseWord, "[a-z]" ) ) return camelCaseWord; return string.Join( " ", Regex.Split( camelCaseWord, @"(?<!^)(?=[A-Z])" ) ); }

A menudo lo uso en conjunción con Capitalize

public static string Capitalize( this string word ) { return word[0].ToString( ).ToUpper( ) + word.Substring( 1 ); }

Ejemplo de uso

SomeEntityObject entity = DataAccessObject.GetSomeEntityObject( id ); List<PropertyInfo> properties = entity.GetType().GetPublicNonCollectionProperties( ); // wordify the property names to act as column headers for an html table or something List<string> columns = properties.Select( p => p.Name.Capitalize( ).Wordify( ) ).ToList( );

Gratis para usar en el proyecto codeplex


A continuación se muestra un método de extensión que adapta el código de Rick Strahl (y los comentarios también) para evitar que tenga que adivinar o leer la marca de orden de bytes de una matriz de bytes o un archivo de texto cada vez que lo convierte en una cadena.

El fragmento le permite simplemente hacer:

byte[] buffer = File.ReadAllBytes(@"C:/file.txt"); string content = buffer.GetString();

Si encuentra algún error por favor agregue a los comentarios. Siéntase libre de incluirlo en el proyecto Codeplex.

public static class Extensions { /// <summary> /// Converts a byte array to a string, using its byte order mark to convert it to the right encoding. /// Original article: http://www.west-wind.com/WebLog/posts/197245.aspx /// </summary> /// <param name="buffer">An array of bytes to convert</param> /// <returns>The byte as a string.</returns> public static string GetString(this byte[] buffer) { if (buffer == null || buffer.Length == 0) return ""; // Ansi as default Encoding encoding = Encoding.Default; /* EF BB BF UTF-8 FF FE UTF-16 little endian FE FF UTF-16 big endian FF FE 00 00 UTF-32, little endian 00 00 FE FF UTF-32, big-endian */ if (buffer[0] == 0xef && buffer[1] == 0xbb && buffer[2] == 0xbf) encoding = Encoding.UTF8; else if (buffer[0] == 0xfe && buffer[1] == 0xff) encoding = Encoding.Unicode; else if (buffer[0] == 0xfe && buffer[1] == 0xff) encoding = Encoding.BigEndianUnicode; // utf-16be else if (buffer[0] == 0 && buffer[1] == 0 && buffer[2] == 0xfe && buffer[3] == 0xff) encoding = Encoding.UTF32; else if (buffer[0] == 0x2b && buffer[1] == 0x2f && buffer[2] == 0x76) encoding = Encoding.UTF7; using (MemoryStream stream = new MemoryStream()) { stream.Write(buffer, 0, buffer.Length); stream.Seek(0, SeekOrigin.Begin); using (StreamReader reader = new StreamReader(stream, encoding)) { return reader.ReadToEnd(); } } } }


Este es para MVC, agrega la capacidad de generar una <label />etiqueta a la Htmlvariable que está disponible en cada ViewPage. Esperemos que sea de utilidad para otros que intentan desarrollar extensiones similares.

Utilizar:

<%= Html.Label("LabelId", "ForId", "Text")%>

Salida:

<label id="LabelId" for="ForId">Text</label>

Código:

public static class HtmlHelperExtensions { public static string Label(this HtmlHelper Html, string @for, string text) { return Html.Label(null, @for, text); } public static string Label(this HtmlHelper Html, string @for, string text, object htmlAttributes) { return Html.Label(null, @for, text, htmlAttributes); } public static string Label(this HtmlHelper Html, string @for, string text, IDictionary<string, object> htmlAttributes) { return Html.Label(null, @for, text, htmlAttributes); } public static string Label(this HtmlHelper Html, string id, string @for, string text) { return Html.Label(id, @for, text, null); } public static string Label(this HtmlHelper Html, string id, string @for, string text, object htmlAttributes) { return Html.Label(id, @for, text, new RouteValueDictionary(htmlAttributes)); } public static string Label(this HtmlHelper Html, string id, string @for, string text, IDictionary<string, object> htmlAttributes) { TagBuilder tag = new TagBuilder("label"); tag.MergeAttributes(htmlAttributes); if (!string.IsNullOrEmpty(id)) tag.MergeAttribute("id", Html.AttributeEncode(id)); tag.MergeAttribute("for", Html.AttributeEncode(@for)); tag.SetInnerText(Html.Encode(text)); return tag.ToString(TagRenderMode.Normal); } }


Me irritó que LINQ me diera un OrderBy que toma una clase de implementación de IComparer como un argumento, pero no admite pasar una simple función de comparación anónima. Rectifiqué eso.

Esta clase crea un IComparer desde su función de comparador ...

/// <summary> /// Creates an <see cref="IComparer{T}"/> instance for the given /// delegate function. /// </summary> internal class ComparerFactory<T> : IComparer<T> { public static IComparer<T> Create(Func<T, T, int> comparison) { return new ComparerFactory<T>(comparison); } private readonly Func<T, T, int> _comparison; private ComparerFactory(Func<T, T, int> comparison) { _comparison = comparison; } #region IComparer<T> Members public int Compare(T x, T y) { return _comparison(x, y); } #endregion }

... y estos métodos de extensión exponen mis nuevas sobrecargas de OrderBy en enumerables. Dudo que esto funcione para LINQ to SQL, pero es genial para LINQ to Objects.

public static class EnumerableExtensions { /// <summary> /// Sorts the elements of a sequence in ascending order by using a specified comparison delegate. /// </summary> public static IOrderedEnumerable<TSource> OrderBy<TSource, TKey>(this IEnumerable<TSource> source, Func<TSource, TKey> keySelector, Func<TKey, TKey, int> comparison) { var comparer = ComparerFactory<TKey>.Create(comparison); return source.OrderBy(keySelector, comparer); } /// <summary> /// Sorts the elements of a sequence in descending order by using a specified comparison delegate. /// </summary> public static IOrderedEnumerable<TSource> OrderByDescending<TSource, TKey>(this IEnumerable<TSource> source, Func<TSource, TKey> keySelector, Func<TKey, TKey, int> comparison) { var comparer = ComparerFactory<TKey>.Create(comparison); return source.OrderByDescending(keySelector, comparer); } }

Le invitamos a poner esto en codeplex si lo desea.


public static bool In<T>(this T source, params T[] list) { if(null==source) throw new ArgumentNullException("source"); return list.Contains(source); }

Me permite reemplazar:

if(reallyLongIntegerVariableName == 1 || reallyLongIntegerVariableName == 6 || reallyLongIntegerVariableName == 9 || reallyLongIntegerVariableName == 11) { // do something.... } and if(reallyLongStringVariableName == "string1" || reallyLongStringVariableName == "string2" || reallyLongStringVariableName == "string3") { // do something.... } and if(reallyLongMethodParameterName == SomeEnum.Value1 || reallyLongMethodParameterName == SomeEnum.Value2 || reallyLongMethodParameterName == SomeEnum.Value3 || reallyLongMethodParameterName == SomeEnum.Value4) { // do something.... }

Con:

if(reallyLongIntegerVariableName.In(1,6,9,11)) { // do something.... } and if(reallyLongStringVariableName.In("string1","string2","string3")) { // do something.... } and if(reallyLongMethodParameterName.In(SomeEnum.Value1, SomeEnum.Value2, SomeEnum.Value3, SomeEnum.Value4) { // do something.... }


public static class ComparableExtensions { public static bool Between<T>(this T actual, T lower, T upper) where T : IComparable<T> { return actual.CompareTo(lower) >= 0 && actual.CompareTo(upper) < 0; } }

Ejemplo:

if (myNumber.Between(3,7)) { // .... }


public static class StringExtensions { /// <summary> /// Parses a string into an Enum /// </summary> /// <typeparam name="T">The type of the Enum</typeparam> /// <param name="value">String value to parse</param> /// <returns>The Enum corresponding to the stringExtensions</returns> public static T EnumParse<T>(this string value) { return StringExtensions.EnumParse<T>(value, false); } public static T EnumParse<T>(this string value, bool ignorecase) { if (value == null) { throw new ArgumentNullException("value"); } value = value.Trim(); if (value.Length == 0) { throw new ArgumentException("Must specify valid information for parsing in the string.", "value"); } Type t = typeof(T); if (!t.IsEnum) { throw new ArgumentException("Type provided must be an Enum.", "T"); } return (T)Enum.Parse(t, value, ignorecase); } }

Útil para analizar una cadena en un Enum.

public enum TestEnum { Bar, Test } public class Test { public void Test() { TestEnum foo = "Test".EnumParse<TestEnum>(); } }

El crédito es para Scott Dorman

--- Edición para el proyecto Codeplex ---

Le he preguntado a Scott Dorman si le importaría que publicáramos su código en el proyecto Codeplex. Esta es la respuesta que recibí de él:

Gracias por la atención tanto en la publicación SO como en el proyecto CodePlex. He votado su respuesta a la pregunta. Sí, el código está efectivamente en el dominio público actualmente bajo la licencia abierta de CodeProject ( http://www.codeproject.com/info/cpol10.aspx ).

No tengo problemas con que esto se incluya en el proyecto CodePlex, y si desea agregarme al proyecto (el nombre de usuario es sdorman), agregaré ese método más algunos métodos adicionales de ayuda de enumeración.