XRegExp 0.2: Now With Named Capture

Update: A beta version of XRegExp 0.3 is now available as part of the RegexPal download package.

JavaScript's regular expression flavor doesn't support named capture. Well, says who? XRegExp 0.2 brings named capture support, along with several other new features. But first of all, if you haven't seen the previous version, make sure to check out my post on XRegExp 0.1, because not all of the documentation is repeated below.

Highlights


  • Comprehensive named capture support (New)
  • Supports regex literals through the addFlags method (New)
  • Free-spacing and comments mode (x)
  • Dot matches all mode (s)
  • Several other minor improvements over v0.1

Named capture

There are several different syntaxes in the wild for named capture. I've compiled the following table based on my understanding of the regex support of the libraries in question. XRegExp's syntax is included at the top.






































Library Capture Backreference In replacement Stored at
XRegExp (<name>…) \k<name> ${name} result.name
.NET (?<name>…)


(?'name'…)
\k<name>


\k'name'
${name} Matcher.Groups('name')
Perl 5.10 (beta) (?<name>…)


(?'name'…)
\k<name>


\k'name'


\g{name}
$+{name} ??
Python (?P<name>…) (?P=name) \g<name> result.group('name')
PHP preg (PCRE) (.NET, Perl, and Python styles) $regs['name'] $result['name']

No other major regex library currently supports named capture, although the JGsoft engine (used by products like RegexBuddy) supports both .NET and Python syntax. XRegExp does not use a question mark at the beginning of a named capturing group because that would prevent it from being used in regex literals (JavaScript would immediately throw an "invalid quantifier" error).

XRegExp supports named capture on an on-request basis. You can add named capture support to any regex though the use of the new "k" flag. This is done for compatibility reasons and to ensure that regex compilation time remains as fast as possible in all situations.

Following are several examples of using named capture:

// Add named capture support using the XRegExp constructor
var repeatedWords = new XRegExp("\\b (<word> \\w+ ) \\s+ \\k<word> \\b", "gixk");

// Add named capture support using RegExp, after overriding the native constructor
XRegExp.overrideNative();
var repeatedWords = new RegExp("\\b (<word> \\w+ ) \\s+ \\k<word> \\b", "gixk");

// Add named capture support to a regex literal
var repeatedWords = /\b (<word> \w+ ) \s+ \k<word> \b/.addFlags("gixk");

var data = "The the test data.";

// Check if data contains repeated words
var hasDuplicates = repeatedWords.test(data);
// hasDuplicates: true

// Use the regex to remove repeated words
var output = data.replace(repeatedWords, "${word}");
// output: "The test data."


In the above code, I've also used the x flag provided by XRegExp, to improve readability. Note that the addFlags method can be called multiple times on the same regex (e.g., /pattern/g.addFlags("k").addFlags("s")), but I'd recommend adding all flags in one shot, for efficiency.

Here are a few more examples of using named capture, with an overly simplistic URL-matching regex (for comprehensive URL parsing, see parseUri):

var url = "http://microsoft.com/path/to/file?q=1";
var urlParser = new XRegExp("^(<protocol>[^:/?]+)://(<host>[^/?]*)(<path>[^?]*)\\?(<query>.*)", "k");
var parts = urlParser.exec(url);
/* The result:
parts.protocol: "http"
parts.host: "microsoft.com"
parts.path: "/path/to/file"
parts.query: "q=1" */

// Named backreferences are also available in replace() callback functions as properties of the first argument
var newUrl = url.replace(urlParser, function(match){
return match.replace(match.host, "yahoo.com");
});
// newUrl: "http://yahoo.com/path/to/file?q=1"


Note that XRegExp's named capture functionality does not support deprecated JavaScript features including the lastMatch property of the global RegExp object and the RegExp.prototype.compile() method.

Singleline (s) and extended (x) modes

The other non-native flags XRegExp supports are s (singleline) for "dot matches all" mode, and x (extended) for "free-spacing and comments" mode. For full details about these modifiers, see the FAQ in my XRegExp 0.1 post. However, one difference from the previous version is that XRegExp 0.2, when using the x flag, now allows whitespace between a regex token and its quantifier (quantifiers are, e.g., +, *?, or {1,3}). Although the previous version's handling/limitation in this regard was documented, it was atypical compared to other regex libraries. This has been fixed.

The code

/* XRegExp 0.2.2; MIT License
By Steven Levithan <http://stevenlevithan.com>
----------
Adds support for the following regular expression features:
- Free-spacing and comments ("x" flag)
- Dot matches all ("s" flag)
- Named capture ("k" flag)
- Capture: (<name>...)
- Backreference: \k<name>
- In replacement: ${name}
- Stored at: result.name
*/

/* Protect this from running more than once, which would break its references to native functions */
if (window.XRegExp === undefined) {
var XRegExp;

(function () {
var native = {
RegExp: RegExp,
exec: RegExp.prototype.exec,
match: String.prototype.match,
replace: String.prototype.replace
};

XRegExp = function (pattern, flags) {
return native.RegExp(pattern).addFlags(flags);
};

RegExp.prototype.addFlags = function (flags) {
var pattern = this.source,
useNamedCapture = false,
re = XRegExp._re;

flags = (flags || "") + native.replace.call(this.toString(), /^[\S\s]+\//, "");

if (flags.indexOf("x") > -1) {
pattern = native.replace.call(pattern, re.extended, function ($0, $1, $2) {
return $1 ? ($2 ? $2 : "(?:)") : $0;
});
}

if (flags.indexOf("k") > -1) {
var captureNames = [];
pattern = native.replace.call(pattern, re.capturingGroup, function ($0, $1) {
if (/^\((?!\?)/.test($0)) {
if ($1) useNamedCapture = true;
captureNames.push($1 || null);
return "(";
} else {
return $0;
}
});
if (useNamedCapture) {
/* Replace named with numbered backreferences */
pattern = native.replace.call(pattern, re.namedBackreference, function ($0, $1, $2) {
var index = $1 ? captureNames.indexOf($1) : -1;
return index > -1 ? "\\" + (index + 1).toString() + ($2 ? "(?:)" + $2 : "") : $0;
});
}
}

/* If "]" is the leading character in a character class, replace it with "\]" for consistent
cross-browser handling. This is needed to maintain correctness without the aid of browser sniffing
when constructing the regexes which deal with character classes. They treat a leading "]" within a
character class as a non-terminating, literal character, which is consistent with IE, .NET, Perl,
PCRE, Python, Ruby, JGsoft, and most other regex engines. */
pattern = native.replace.call(pattern, re.characterClass, function ($0, $1) {
/* This second regex is only run when a leading "]" exists in the character class */
return $1 ? native.replace.call($0, /^(\[\^?)]/, "$1\\]") : $0;
});

if (flags.indexOf("s") > -1) {
pattern = native.replace.call(pattern, re.singleline, function ($0) {
return $0 === "." ? "[\\S\\s]" : $0;
});
}

var regex = native.RegExp(pattern, native.replace.call(flags, /[sxk]+/g, ""));

if (useNamedCapture) {
regex._captureNames = captureNames;
/* Preserve capture names if adding flags to a regex which has already run through addFlags("k") */
} else if (this._captureNames) {
regex._captureNames = this._captureNames.valueOf();
}

return regex;
};

String.prototype.replace = function (search, replacement) {
/* If search is not a regex which uses named capturing groups, just run the native replace method */
if (!(search instanceof native.RegExp && search._captureNames)) {
return native.replace.apply(this, arguments);
}

if (typeof replacement === "function") {
return native.replace.call(this, search, function () {
/* Convert arguments[0] from a string primitive to a string object which can store properties */
arguments[0] = new String(arguments[0]);
/* Store named backreferences on the first argument before calling replacement */
for (var i = 0; i < search._captureNames.length; i++) {
if (search._captureNames[i]) arguments[0][search._captureNames[i]] = arguments[i + 1];
}
return replacement.apply(window, arguments);
});
} else {
return native.replace.call(this, search, function () {
var args = arguments;
return native.replace.call(replacement, XRegExp._re.replacementVariable, function ($0, $1, $2) {
/* Numbered backreference or special variable */
if ($1) {
switch ($1) {
case "$": return "$";
case "&": return args[0];
case "`": return args[args.length - 1].substring(0, args[args.length - 2]);
case "'": return args[args.length - 1].substring(args[args.length - 2] + args[0].length);
/* Numbered backreference */
default:
/* What does "$10" mean?
- Backreference 10, if at least 10 capturing groups exist
- Backreference 1 followed by "0", if at least one capturing group exists
- Else, it's the string "$10" */
var literalNumbers = "";
$1 = +$1; /* Cheap type-conversion */
while ($1 > search._captureNames.length) {
literalNumbers = $1.toString().match(/\d$/)[0] + literalNumbers;
$1 = Math.floor($1 / 10); /* Drop the last digit */
}
return ($1 ? args[$1] : "$") + literalNumbers;
}
/* Named backreference */
} else if ($2) {
/* What does "${name}" mean?
- Backreference to named capture "name", if it exists
- Else, it's the string "${name}" */
var index = search._captureNames.indexOf($2);
return index > -1 ? args[index + 1] : $0;
} else {
return $0;
}
});
});
}
};

RegExp.prototype.exec = function (str) {
var result = native.exec.call(this, str);
if (!(this._captureNames && result && result.length > 1)) return result;

for (var i = 1; i < result.length; i++) {
var name = this._captureNames[i - 1];
if (name) result[name] = result[i];
}

return result;
};

String.prototype.match = function (regexp) {
if (!regexp._captureNames || regexp.global) return native.match.call(this, regexp);
return regexp.exec(this);
};
})();
}

/* Regex syntax parsing with support for escapings, character classes, and various other context and cross-browser issues */
XRegExp._re = {
extended: /(?:[^[#\s\\]+|\\(?:[\S\s]|$)|\[\^?]?(?:[^\\\]]+|\\(?:[\S\s]|$))*]?)+|(\s*#[^\n\r]*\s*|\s+)([?*+]|{\d+(?:,\d*)?})?/g,
singleline: /(?:[^[\\.]+|\\(?:[\S\s]|$)|\[\^?]?(?:[^\\\]]+|\\(?:[\S\s]|$))*]?)+|\./g,
characterClass: /(?:[^\\[]+|\\(?:[\S\s]|$))+|\[\^?(]?)(?:[^\\\]]+|\\(?:[\S\s]|$))*]?/g,
capturingGroup: /(?:[^[(\\]+|\\(?:[\S\s]|$)|\[\^?]?(?:[^\\\]]+|\\(?:[\S\s]|$))*]?|\((?=\?))+|\((?:<([$\w]+)>)?/g,
namedBackreference: /(?:[^\\[]+|\\(?:[^k]|$)|\[\^?]?(?:[^\\\]]+|\\(?:[\S\s]|$))*]?|\\k(?!<[$\w]+>))+|\\k<([$\w]+)>(\d*)/g,
replacementVariable: /(?:[^$]+|\$(?![1-9$&`']|{[$\w]+}))+|\$(?:([1-9]\d*|[$&`'])|{([$\w]+)})/g
};

XRegExp.overrideNative = function () {
/* Override the global RegExp constructor/object with the XRegExp constructor. This precludes accessing
properties of the last match via the global RegExp object. However, those properties are deprecated as
of JavaScript 1.5, and the values are available on RegExp instances or via RegExp/String methods. It also
affects the result of (/x/.constructor == RegExp) and (/x/ instanceof RegExp), so use with caution. */
RegExp = XRegExp;
};

/* indexOf method from Mootools 1.11; MIT License */
Array.prototype.indexOf = Array.prototype.indexOf || function (item, from) {
var len = this.length;
for (var i = (from < 0) ? Math.max(0, len + from) : from || 0; i < len; i++) {
if (this[i] === item) return i;
}
return -1;
};


You can download it, or get the packed version (2.7 KB).

XRegExp has been tested in IE 5.5–7, Firefox 2.0.0.4, Opera 9.21, Safari 3.0.2 beta for Windows, and Swift 0.2.

Finally, note that the XRE object from v0.1 has been removed. XRegExp now only creates one global variable: XRegExp. To permanently override the native RegExp constructor/object, you can now run XRegExp.overrideNative();

(0)

相关推荐

  • XRegExp 0.2: Now With Named Capture

    Update: A beta version of XRegExp 0.3 is now available as part of the RegexPal download package. JavaScript's regular expression flavor doesn't support named capture. Well, says who? XRegExp 0.2 brings named capture support, along with several other

  • 详解如何在 CentOS7.0 上搭建DNS 服务器

    BIND也叫做NAMED,是现今互联网上使用最为广泛的DNS 服务器程序.这篇文章将要讲述如何在 chroot 监牢中运行 BIND,这样它就无法访问文件系统中除"监牢"以外的其它部分. 例如,在这篇文章中,我会将BIND的运行根目录改为 /var/named/chroot/.当然,对于BIND来说,这个目录就是 /(根目录). "jail"(监牢,下同)是一个软件机制,其功能是使得某个程序无法访问规定区域之外的资源,同样也为了增强安全性(LCTT 译注:chroo

  • JavaScript 正则命名分组【推荐】

    前言 以往我们只是习惯于通过数组下标来访问正则匹配到的分组,但分组达到4.5个时,标识起来就会非常麻烦.V8早已实现了正则命名分组提案,只是我们很少使用,本文将介绍JS的正则命名分组. 以往的做法 假设要使用正则匹配一个日期的年月日,以往我们会这样做: const RE_DATE = /(\d{4})-(\d{2})-(\d{2})/; const matchObj = RE_DATE.exec('1999-12-31'); const year = matchObj[1]; // 1999 c

  • ES9的新特性之正则表达式RegExp详解

    简介 正则表达式是我们做数据匹配的时候常用的一种工具,虽然正则表达式的语法并不复杂,但是如果多种语法组合起来会给人一种无从下手的感觉. 于是正则表达式成了程序员的噩梦.今天我们来看一下如何在ES9中玩转正则表达式. Numbered capture groups 我们知道正则表达式可以分组,分组是用括号来表示的,如果想要获取到分组的值,那么就叫做capture groups. 通常来说,我们是通过序号来访问capture groups的,这叫做Numbered capture groups. 举

  • RHE5服务器管理 搭建DNS服务器步骤说明[图文]

    一.DNS主要配置文件 /etc/hosts-主机的一个列表文件-包含(本地网络中)已知主机的一个列表如果系统的IP不是动态生成,就可以使用它,对于简单的主机名解析(点分表示法/etc/host.conf-转换程序控制文件-告诉网络域名服务器如何查找主机(通常是/etc/hosts,然后就是域名服务器,可通过netconf对其进行更改)/etc/resolv.conf-转换程序配置文件-在配置程序请求BIND域名查询服务查询主机名称时,必须告诉程序使用哪个域名服务器和IP地址来完成这个任务 二.

  • HTA版JSMin(省略修饰语若干)基于javascript语言编写

    以前我使用JSMin的时候,都是从http://fmarcia.info/jsmin/这里打开执行页面,然后把自己的代码粘贴过去,再把减肥后的代码复制回文本编辑工具.保存. 久而久之,我发现这样实在是太麻烦了!既然我们是程序员,为何不自己动手把事情变得简单一点呢? 因此我开始了对JSMin进行"友好化"的工作. 而在进行"友好化"工作的过程中,"不出意料"地遇到了一些意想不到的问题,马上我就讲遇到的是哪些问题.最后怎样解决. 不过由于是在一切问题

  • C#正则表达式匹配与替换字符串功能示例

    本文实例讲述了C#正则表达式匹配与替换字符串功能.分享给大家供大家参考,具体如下: 事例一:\w+=>[A-Za-z1-9_],\s+=>任何空白字符,()=>捕获 string text = @"public string testMatchObj string s string match "; string pat = @"(\w+)\s+(string)"; // Compile the regular expression. Regex

  • AJAX初级聊天室代码

    很早就想发出来了,一直以来都没什么时间,今天偷个空先把代码发上面,明天来写注释. 还是那句话,AJAX是一种应用,而不是一个专门的技术,我认为做做DEMO要的是速度,要让看的人好理解,而JS是最基本的WEB语言,相信比起其他的语言来说,要明了很多,所以我还是选择用JS写前后台代码.但并不代表我不会其他的语言,程序关键还是在于自我对实现的想法,而用什么语言,好比选择工具一样,我用菜刀可以做,用瑞士军刀也可以做,关键是要看在什么场合. 再就AJAX实际上首要考虑的是人性化,人机交互的便利才是他的优势

  • python使用opencv进行人脸识别

    环境 ubuntu 12.04 LTS python 2.7.3 opencv 2.3.1-7 安装依赖 sudo apt-get install libopencv-* sudo apt-get install python-opencv sudo apt-get install python-numpy 示例代码 #!/usr/bin/env python #coding=utf-8 import os from PIL import Image, ImageDraw import cv d

  • Linux/window下怎样查看某个端口被哪个程序/进程占用

    Windows: C:/Users/ewanbao>netstat -aon|findstr "123" TCP 127.0.0.1:55123 0.0.0.0:0 LISTENING 5092 TCP 127.0.0.1:55123 127.0.0.1:55124 ESTABLISHED 5092 TCP 127.0.0.1:55124 127.0.0.1:55123 ESTABLISHED 5092 UDP 0.0.0.0:123 *:* 1416 UDP [::]:123

随机推荐