本文概述
当你使用逻辑来创建插件, 库和其他内容(例如框架)时, 你将需要以驼峰式字符串创建表示形式, 或将驼峰式字符串转换为自定义表示形式。如果你需要使用自己喜欢的技术JavaScript进行操作, 我们将在本文中向你展示2个简单的代码段, 这些代码段将帮助你将任何字符串转换为驼峰式的版本, 反之亦然。
骆驼化
以下驼峰函数将要驼峰化的文本作为第一个参数。如你所知, 字符串可以用单个空格, 下划线和连字符分隔, 因此camelize函数将自动将它们全部转换:
/**
* Camelize a string, cutting the string by multiple separators like
* hyphens, underscores and spaces.
*
* @param {text} string Text to camelize
* @return string Camelized text
*/
function camelize(text) {
return text.replace(/^([A-Z])|[\s-_]+(\w)/g, function(match, p1, p2, offset) {
if (p2) return p2.toUpperCase();
return p1.toLowerCase();
});
}
以下示例显示了camelize函数的结果:
// someDatabaseFieldName
console.log(camelize("some_database_field_name"));
// someLabelThatNeedsToBeCamelized
console.log(camelize("Some label that needs to be camelized"));
// someJavascriptProperty
console.log(camelize("some-javascript-property"));
// someMixedStringWithSpacesUnderscoresAndHyphens
console.log(camelize("some-mixed_string with spaces_underscores-and-hyphens"));
反糖化
在反糖化过程中, 你需要将要反糖化的驼峰式情况下的字符串作为第一个参数提供给反糖化功能, 作为第二个参数, 将用于分隔每个驼峰词的分隔符:
/**
* Decamelizes a string with/without a custom separator (underscore by default).
*
* @param str String in camelcase
* @param separator Separator for the new decamelized string.
*/
function decamelize(str, separator){
separator = typeof separator === 'undefined' ? '_' : separator;
return str
.replace(/([a-z\d])([A-Z])/g, '$1' + separator + '$2')
.replace(/([A-Z]+)([A-Z][a-z\d]+)/g, '$1' + separator + '$2')
.toLowerCase();
}
除霜的例子:
// some database field name (separate with an empty space)
console.log(decamelize("someDatabaseFieldName", " "));
// some-label-that-needs-to-be-camelized (separate with an hyphen)
console.log(decamelize("someLabelThatNeedsToBeCamelized", "-"));
// some_javascript_property (separate with underscore)
console.log(decamelize("someJavascriptProperty", "_"));
编码愉快!
评论前必须登录!
注册