Created
August 7, 2014 14:22
-
-
Save vkobel/d7302c0076c64c95ef4b to your computer and use it in GitHub Desktop.
Simple C# extension method to convert a camel case string to underscore notation without any regex
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
public static class ExtensionMethods { | |
public static string ToUnderscoreCase(this string str) { | |
return string.Concat(str.Select((x, i) => i > 0 && char.IsUpper(x) ? "_" + x.ToString() : x.ToString())).ToLower(); | |
} | |
} |
This improved method solved the mentioned problems in the comments:
public static class ExtensionMethods
{
public static string ToUnderscoreCase(this string str) =>
string.Concat(str.Select((x, i) => (i > 0 && char.IsUpper(x) && (char.IsLower(str[i - 1]) || char.IsLower(str[i + 1])))
? "_" + x.ToString() : x.ToString())).ToLower();
}
public static string ToUnderscoreCase(this string str) =>
string.Concat(str.Select((x, i) => (i > 0 && char.IsUpper(x) && (char.IsLower(str[i - 1]) || char.IsLower(str[i + 1])))
? "_" + x.ToString() : x.ToString())).ToLower();
This causes an exception with "abcDeFG".
Here the corrected method:
static string ToUnderscoreCase(this string str) =>
string.Concat(
str.Select((x, i) =>
i > 0 && char.IsUpper(x) && (char.IsLower(str[i - 1]) || i < str.Length - 1 && char.IsLower(str[i + 1]))
? "_" + x
: x.ToString())).ToLowerInvariant();
Easy on eyes solution with custom separator:
public static string ToLowerBySep(this string source, char sep)
{
var result = new List<char>();
var chars = source.Replace(" ", "").ToCharArray();
for (var i = 0; i < chars.Length; i++)
{
if (i != 0 && char.IsUpper(chars[i]))
{
result.Add(sep);
}
result.Add(chars[i]);
}
return string.Concat(result).ToLowerInvariant();
}
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
I think I found my answer from 'UseSnakeCaseNamingConvention` from EF Core codebase.