天天躁日日躁狠狠躁AV麻豆-天天躁人人躁人人躁狂躁-天天澡夜夜澡人人澡-天天影视香色欲综合网-国产成人女人在线视频观看-国产成人女人视频在线观看

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.

LibraryCaptureBackreferenceIn replacementStored 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 constructorvar repeatedWords = new XRegExp("http://b (<word> //w+ ) //s+ //k<word> //b", "gixk");// Add named capture support using RegExp, after overriding the native constructorXRegExp.overrideNative();var repeatedWords = new RegExp("http://b (<word> //w+ ) //s+ //k<word> //b", "gixk");// Add named capture support to a regex literalvar repeatedWords = //b (<word> /w+ ) /s+ /k<word> /b/.addFlags("gixk");var data = "The the test data.";// Check if data contains repeated wordsvar hasDuplicates = repeatedWords.test(data);// hasDuplicates: true// Use the regex to remove repeated wordsvar 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 argumentvar 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 LicenseBy 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 ? "http://" + (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

主站蜘蛛池模板: 国产真实强被迫伦姧女在线观看 | 亚洲欧洲精品A片久久99 | 视频一区在线免费观看 | 亚洲精品美女久久777777 | bl高h乱肉辣文 | 国产亚洲欧洲日韩在线观看 | 亚洲妈妈精品一区二区三区 | 国产激情视频在线 | 动漫美女人物被黄漫在线看 | 中文字幕久精品视频在线观看 | 日韩熟女精品一区二区三区 | 国产亚洲精品久久久久小 | 成人高清护士在线播放 | bbwxxxx交女警 | 男人到天堂a线牛叉在线 | 精品96在线观看影院 | 琪琪色在线播放 | 女侠含泪巨臀迎合79 | 秋霞在线观看视频一区二区三区 | 亚洲高清国产拍精品影院 | 欧美精品AV一区二区无码 | 动漫美女被爆挤奶歪歪漫画 | 18禁黄久久久AAA片 | HEYZO精品无码一区二区三区 | 国产亚洲精品网站在线视频 | 九色PORNY蝌蚪视频首页 | 日本久久久WWW成人免费毛片丨 | 在线免费公开视频 | 成年人视频在线免费看 | 神马影院在线eecss伦理片 | 无码任你躁久久久久久久 | 动漫美女喷水 | japonensis护士| 超碰在线视频caoporn | 强奷乱码欧妇女中文字幕熟女 | 91精品福利一区二区 | 天天爽夜夜爽夜夜爽 | 日日夜夜撸 在线影院 | 日本二区三区欧美亚洲国 | 一攻多受h嗯啊巨肉bl巨污 | 娇妻被朋友玩得呻吟在线电影 |