You may sometimes come across the need to pluralize or singularize words automatically within your applications. As the English language is a fairly complicated one this is not as straight forward as adding or removing an "S" on the end of a word. There are various different implementation out there that perform with a varying degree of success.
Those of you who have used the Entity Framework may have noticed the designer attempts to singularize/pluralize words for us, and in my opinion does as good a job if not better than other algorithms I have tested out.
Thankfully those kind guys at Microsoft have opened up this functionality to the rest of via the PluralizationService and it couldn't be simpler to use. For this you will need to add a reference to System.Data.Entity.Design and a using statement for the System.Data.Entity.Design.PluralizationServices namespace.
PluralizationService is an abstract class so we need to use the static CreateService method to instantiate the service. The CreateService method takes one parameter, System.Globalization.CultureInfo, so I'll pass through my current thread's CurrentCulture.
The PluralizationService object exposes four methods of interest, IsPlural, IsSingular, Pluralize and Singularize. All four methods are self-explanitory and do exactly what the name suggests.
Here is the code I wrote to test this service, along with the output, to illustrate how to use this service.
- using System;
- using System.Collections.Generic;
- using System.Data.Entity.Design.PluralizationServices;
- using System.Threading;
- namespace PluralizationServiceTest
- {
- class Program
- {
- static void Main(string[] args)
- {
- PluralizationService service = PluralizationService.CreateService(Thread.CurrentThread.CurrentCulture);
- List<string> words = new List<string>
- {
- "babies",
- "desks",
- "lady",
- "child",
- "data",
- "bacterium",
- "elves",
- "geese",
- "lice",
- "mouse",
- "people",
- "women",
- "tooth"
- };
- foreach (string word in words)
- {
- string singular = null;
- string plural = null;
- if (service.IsSingular(word))
- {
- singular = word;
- plural = service.Pluralize(word);
- }
- else
- {
- singular = service.Singularize(word);
- plural = service.Pluralize(word);
- }
- Console.WriteLine(String.Format("Input: {0}, Singular: {1}, Plural: {2}", word, singular, plural));
- }
- }
- }
- }
Output
Input: babies, Singular: baby, Plural: babies
Input: desks, Singular: desk, Plural: desks
Input: lady, Singular: lady, Plural: ladies
Input: child, Singular: child, Plural: children
Input: data, Singular: datum, Plural: data
Input: bacterium, Singular: bacterium, Plural: bacteria
Input: elves, Singular: elf, Plural: elves
Input: geese, Singular: goose, Plural: geese
Input: lice, Singular: louse, Plural: lice
Input: mouse, Singular: mouse, Plural: mice
Input: people, Singular: person, Plural: people
Input: women, Singular: woman, Plural: women
Input: tooth, Singular: tooth, Plural: teeth
 
No comments:
Post a Comment