regexp subgroup matching for codeigniter - regex
I'm using code igniter and am trying to capture multiple url segments via the $routes array.
For example, my url will look like this:
/segment-1/segment-2/keyword/
I have been trying to use just this regexp:
$route['([\w-?]+){1,3}'] = "my/method";
but that only returns this subgroup match:
segment-1
then when i try this route:
(\/[\w-?]+){1,3}
it returns this as the subgroup match:
/keyword
so I have been explicitly putting the exact route I want to make sure I capture all the instances:
$route['([\w-?]+)'] = 'my/method/$1';
$route['([\w-?]+)/([\w-?]+)'] = 'my/method/$1/$2';
$route['([\w-?]+)/([\w-?]+)/([\w-?]+)'] = 'my/method/$1/$2/$3';
which obviously is rather verbose.
ultimately, I would like to capture all segments in one regexp.
thoughts?
It is generally impossible to have arbitrarily many capture groups in one regular expression. As you can see from your own attempts, if you repeat one capture group, you will just get the last match. However, you could solve it up to a certain number of path elements by making additional "directories" optional. Say 3 is your maximum:
$route['([\w-?]+)(/[\w-?]+(/[\w-?]+)?)?'] = 'my/method/$1$2$3';
You could add a few more nested (/[\w-?]+)? at the end to allow for deeper paths. Otherwise you can fill your $route array automatically with a loop, but that, too, will only work to a fixed depth.
Related
Capture repeating group with RegEx
I am trying to parse an input line looking like this: AC#10,N850FD,10%,WEEK,IFR,1/22:45,2/00:58,390,F,0743,KEWR,3/02:30,3/05:04,380,F,1202,KMEM,3/11:15,3/20:04,350,F,0038,LFPG,4/04:00,4/15:35,330,F,5342,ZGGG,4/19:05,4/22:50,370,F,5608,RJAA,5/13:25,5/14:45,300,F,0060,RJBB,5/18:05,6/06:35,330,F,0060,KMEM,6/20:45,0/05:42,340,F,0948,PHNL,0/07:21,0/12:24,370,F,0802,KLAX,0/14:49,0/18:09,370,F,0806,KMEM The first 5 "fields" are the "header" ("AC#10,N850FD,10%,WEEK,IFR"), and the rest is are repeating groups of 6 "fields" (e.g. "1/22:45,2/00:58,390,F,0743,KEWR"). I'm a RegEx newbie, but to do this I have come up with the following RegEx statement: (AC#)(\d+),([a-zA-Z0-9]+),(\d+%),(WEEK|DAY),(IFR|VFR)(,\d\/\d{2}:\d{2},\d\/\d{2}:\d{2},\d+,[FR],\d+,[A-Z0-9]{3,5})+. The result of the first many groups (each "field" in the "header") are extracted fine, and I can easily access each value (group). However my problem is the following/repeating groups. Only the last of the repeating "groups" are extracted. If I remove the very last "+" only the first of the repeating "groups" are extracted (naturally). Example here: https://regex101.com/r/HsQMge/1 Here is the result I hope to get (as groups): AC# 10 N850FD 10% WEEK IFR ,1/22:45,2/00:58,390,F,0743,KEWR ,3/02:30,3/05:04,380,F,1202,KMEM ,3/11:15,3/20:04,350,F,0038,LFPG ,4/04:00,4/15:35,330,F,5342,ZGGG ,4/19:05,4/22:50,370,F,5608,RJAA ,5/13:25,5/14:45,300,F,0060,RJBB ,5/18:05,6/06:35,330,F,0060,KMEM ,6/20:45,0/05:42,340,F,0948,PHNL ,0/07:21,0/12:24,370,F,0802,KLAX ,0/14:49,0/18:09,370,F,0806,KMEM
Probably RegEx is not the right tool to do this task. Maybe you can use it just for splitting string into array. Rest job is for array_chunk : $str = "AC#10,N850FD,10%,WEEK,IFR,1/22:45,2/00:58,390,F,0743,KEWR,3/02:30,3/05:04,380,F,1202,KMEM,3/11:15,3/20:04,350,F,0038,LFPG,4/04:00,4/15:35,330,F,5342,ZGGG,4/19:05,4/22:50,370,F,5608,RJAA,5/13:25,5/14:45,300,F,0060,RJBB,5/18:05,6/06:35,330,F,0060,KMEM,6/20:45,0/05:42,340,F,0948,PHNL,0/07:21,0/12:24,370,F,0802,KLAX,0/14:49,0/18:09,370,F,0806,KMEM"; $data = preg_split('/[,#]/',$str); $data = array_chunk($data, 6); var_dump($data); Try it online!
I can't get it to work with one regular expression (still think it should be possible), however I got it working in two passes. First I use the following RegEx, to split the individual fields of the "header" into groups, and then grab the rest of the input line as the last group (using "(.*)" after the last comma): (AC#)(\d+),([a-zA-Z0-9]+),(\d+%),(WEEK|DAY),(IFR|VFR),(.*) This leaves me with the rest of the information in one single group ("1/22:45,2/00:58,390,F,0743,KEWR,3/02:30,3/05:04,380,F,1202,KMEM,3/11:15,3/20:04,350,F,0038,LFPG,4/04:00,4/15:35,330,F,5342,ZGGG,4/19:05,4/22:50,370,F,5608,RJAA,5/13:25,5/14:45,300,F,0060,RJBB,5/18:05,6/06:35,330,F,0060,KMEM,6/20:45,0/05:42,340,F,0948,PHNL,0/07:21,0/12:24,370,F,0802,KLAX,0/14:49,0/18:09,370,F,0806,KMEM"). I then parse this group with another regular expression, that groups the repeating sections (without a problem - now there is no longer a "header"): (\d\/\d{2}:\d{2},\d\/\d{2}:\d{2},\d+,[FR],\d+,[A-Z0-9]{3,4})+ The groups are as I had hoped (even better as "," is no longer part of the result). Odd its no working with the "header". Anyhow I don't have to resort to "manually" splitting the line, and the RegEx statements can still "validate" each section.
Regex for BBCode with optional parameters
I'm currently stuck on a regex. I'm trying to fetch the contents of a BBCode, that has optional params and maybe different notations: [tag]https://example.com/1[/tag] [tag='https://example.com/2'][/tag] [tag="http://another-example.com/whatever"][/tag] [tag=ftp://an-ftp-host][/tag] [tag='https://example.com/3',left][/tag] [tag="https://example.com/4",right][/tag] [tag=https://example.com/5][/tag] [tag=https://example.com/i-need-this-one,right]http://example.com/i-dont-need-this-one[/tag] The 2nd param can just be left or right and if this is given, i need the URL from the first param. Otherwise, i need that one between the tags. An url as param can be wrapped within ' or " or without any of these. My current regular expression is this: ~\[tag(?|=[\'"]?+([^]"\']++)[\'"]?+]([^[]++)|](([^[]++)))\[/tag]~i However, this one also includes the 2nd param in the match list and a lot more of things, that i don't want to match. Any suggestions?
I've made some changes to do what you want. I've included your version here for easy comparison: Yours: http://regex101.com/r/dE4aE4/1 \[tag(?:=[\'"]?(.*)[\'"]?)?]([^]]*)?\[/tag] Mine: http://regex101.com/r/dE4aE4/3 \[tag(?:=[\'"]?([^,]*?)(?:,[^]'"]+)?[\'"]?)?]([^\[]+)?\[/tag] Observe that I've changed a bit to get the URL without the coma (,): from (.*) to ([^,]*?)(?:,[^]'"]+)? I've also fixed the content part: from ([^]]*)? to ([^\[]+)?
Extracting top-level and second-level domain from a URL using regex
How can I extract only top-level and second-level domain from a URL using regex? I want to skip all lower level domains. Any ideas?
Here's my idea, Match anything that isn't a dot, three times, from the end of the line using the $ anchor. The last match from the end of the string should be optional to allow for .com.au or .co.nz type of domains. Both the last and second last matches will only match 2-3 characters, so that it doesn't confuse it with a second-level domain name. Regex: [^.]*\.[^.]{2,3}(?:\.[^.]{2,3})?$ Demonstration: Regex101 Example
Updated 2019 This is an old question, and the challenge here is a lot more complicated as we start adding new vanity TLDs and more ccTLD second level domains (e.g. .co.uk, .org.uk). So much so, that a regular expression is almost guaranteed to return false positives or negatives. The only way to reliably get the primary host is to call out to a service that knows about them, like the Public Suffix List. There are several open-source libraries out there that you can use, like psl, or you can write your own. Usage for psl is quite intuitive. From their docs: var psl = require('psl'); // Parse domain without subdomain var parsed = psl.parse('google.com'); console.log(parsed.tld); // 'com' console.log(parsed.sld); // 'google' console.log(parsed.domain); // 'google.com' console.log(parsed.subdomain); // null // Parse domain with subdomain var parsed = psl.parse('www.google.com'); console.log(parsed.tld); // 'com' console.log(parsed.sld); // 'google' console.log(parsed.domain); // 'google.com' console.log(parsed.subdomain); // 'www' // Parse domain with nested subdomains var parsed = psl.parse('a.b.c.d.foo.com'); console.log(parsed.tld); // 'com' console.log(parsed.sld); // 'foo' console.log(parsed.domain); // 'foo.com' console.log(parsed.subdomain); // 'a.b.c.d' Old answer You could use this: (\w+\.\w+)$ Without more details (a sample file, the language you're using), it's hard to discern exactly whether this will work. Example: http://regex101.com/r/wD8eP2
Also, you can likely do that with some expression similar to, ^(?:https?:\/\/)(?:w{3}\.)?.*?([^.\r\n\/]+\.)([^.\r\n\/]+\.[^.\r\n\/]{2,6}(?:\.[^.\r\n\/]{2,6})?).*$ and add as much as capturing groups that you want to capture the components of a URL. Demo If you wish to simplify/modify/explore the expression, it's been explained on the top right panel of regex101.com. If you'd like, you can also watch in this link, how it would match against some sample inputs. RegEx Circuit jex.im visualizes regular expressions:
For anyone using JavaScript and wanting a simple way to extract the top and second level domains, I ended up doing this: 'example.aus.com'.match(/\.\w{2,3}\b/g).join('') This matches anything with a period followed by two or three characters and then a word boundary. Here's some example outputs: 'example.aus.com' // .aus.com 'example.austin.com' // .austin.com 'example.aus.com/howdy' // .aus.com 'example.co.uk/howdy' // .co.uk Some people might need something a bit cleverer, but this was enough for me with my particular dataset. Edit I've realised there are actually quite a few second-level domains which are longer than 3 characters (and allowed). So, again for simplicity, I just removed the character counting element of my regex: 'example.aus.com'.match(/\.\w*\b/g).join('')
Since TLDs now include things with more than three-characters like .wang and .travel, here's a regex that satisfies these new TLDs: ([^.\s]+\.[^.\s]+)$ Strategy: starting at the end of the string, look for one or more characters that aren't periods or whitespace, followed by a single period, followed by one or more characters that aren't periods or whitespace. http://regexr.com/3bmb3
With capturing groups you can achieve some magix. For example, consider the following javascript: let hostname = 'test.something.else.be'; let domain = hostname.replace(/^.+\.([^\.]+\.[^\.]+)$/, '$1'); document.write(domain); This will result in a string containing 'else.com'. This is because the regex itself will match the complete string and the capturing group will be mapped to $1. So it replaces the complete string 'test.something.else.com' with '$1' which is actually 'else.com'. The regex isn't pretty and can probably be made more dynamic with things like {3} for defining how many levels deep you want to look for subdomains, but this is just an illustration.
if you want all specific Top Level Domain name then you can write regular expression like this: [RegularExpression("^(https?:\\/\\/)?(([\\w]+)?\\.?(\\w+\\.((za|zappos|zara|zero|zip|zippo|zm|zone|zuerich|zw))))\\/?$", ErrorMessage = "Is not a valid fully-qualified URL.")] You can also put more domain name from this link: https://www.icann.org/resources/pages/tlds-2012-02-25-en
The following regex matches a domain with root and tld extractions (named capture groups) from a url or domain string: (?:\w+:\/{2})?(?<cs_domain>(?<cs_domain_sub>(?:[\w\-]+\.)*?)(?<cs_domain_root>[\w\-]+(?<cs_domain_tld>(?:\.\w{2})?(?:\.\w{2,3}|\.xn-+\w+|\.site|\.club))))\| It's hard to say if it is perfect, but it works on all the test data sets that I have put it against including .club, .xn-1234, .co.uk, and other odd endings. And it does it in 5556 steps against 40k chars of logs, so the efficiency seems reasonable too.
If you need to be more specific: /\.(?:nl|se|no|es|milru|fr|es|uk|ca|de|jp|au|us|ch|it|io|org|com|net|int|edu|mil|arpa)/ Based on http://www.seobythesea.com/2006/01/googles-most-popular-and-least-popular-top-level-domains/
Regex to match anything after /
I'm basically not in the clue about regex but I need a regex statement that will recognise anything after the / in a URL. Basically, i'm developing a site for someone and a page's URL (Local URL of Course) is say (http://)localhost/sweettemptations/available-sweets. This page is filled with custom post types (It's a WordPress site) which have the URL of (http://)localhost/sweettemptations/sweets/sweet-name. What I want to do is redirect the URL (http://)localhost/sweettemptations/sweets back to (http://)localhost/sweettemptations/available-sweets which is easy to do, but I also need to redirect any type of sweet back to (http://)localhost/sweettemptations/available-sweets. So say I need to redirect (http://)localhost/sweettemptations/sweets/* back to (http://)localhost/sweettemptations/available-sweets. If anyone could help by telling me how to write a proper regex statement to match everything after sweets/ in the URL, it would be hugely appreciated.
To do what you ask you need to use groups. In regular expression groups allow you to isolate parts of the whole match. for example: input string of: aaaaaaaabbbbcccc regex: a*(b*) The parenthesis mark a group in this case it will be group 1 since it is the first in the pattern. Note: group 0 is implicit and is the complete match. So the matches in my above case will be: group 0: aaaaaaaabbbb group 1: bbbb In order to achieve what you want with the sweets pattern above, you just need to put a group around the end. possible solution: /sweets/(.*) the more precise you are with the pattern before the group the less likely you will have a possible false positive. If what you really want is to match anything after the last / you can take another approach: possible other solution: /([^/]*) The pattern above will find a / with a string of characters that are NOT another / and keep it in group 1. Issue here is that you could match things that do not have sweets in the URL. Note if you do not mind the / at the beginning then just remove the ( and ) and you do not have to worry about groups. I like to use http://regexpal.com/ to test my regex.. It will mark in different colors the different matches. Hope this helps. I may have misunderstood you requirement in my original post. if you just want to change any string that matches (http://)localhost/sweettemptations/sweets/* into the other one you provided (without adding the part match by your * at the end) I would use a regular expression to match the pattern in the URL but them just blind replace the whole string with the desired one: (http://)localhost/sweettemptations/available-sweets So if you want the URL: http://localhost/sweettemptations/sweets/somethingmore.html to turn into: http://localhost/sweettemptations/available-sweets and not into: localhost/sweettemptations/available-sweets/somethingmore.html Then the solution is simpler, no groups required :). when doing this I would make sure you do not match the "localhost" part. Also I am assuming the (http://) really means an optional http:// in front as (http://) is not a valid protocol prefix. so if that is what you want then this should match the pattern: (http://)?[^/]+/sweettemptations/sweets/.* This regular expression will match the http:// part optionally with a host (be it localhost, an IP or the host name). You could omit the .* at the end if you want. If that pattern matches just replace the whole URL with the one you want to redirect to.
use this regular expression (?<=://).+
RegEx check if string contains certain value
I need some help with writing a regex validation to check for a specific value here is what I have but it don't work Regex exists = new Regex(#"MyWebPage.aspx"); Match m = exists.Match(pageUrl); if(m) { //perform some action } So I basically want to know when variable pageUrl will contains value MyWebPage.aspx also if possible to combine this check to cover several cases for instance MyWebPage.aspx, MyWebPage2.aspx, MyWebPage3.aspx Thanks!
try this "MyWebPage\d*\.aspx$" This will allow for any pages called MyWebPage#.aspx where # is 1 or more numbers.
if (Regex.Match(url, "MyWebPage[^/]*?\\.aspx")) .... This will match any form of MyWebPageXXX.aspx (where XXX is zero or more characters). It will not match MyWebPage/test.aspx however
That RegEx should work in the case that MyWebPage.aspx is in your pageUrl, albeit by accident. You really need to replace the dot (.) with \. to escape it. Regex exists = new Regex(#"MyWebPage\.aspx"); If you want to optionally match a single number after the MyWebPage bit, then look for the (optional) presence of \d: Regex exists = new Regex(#"MyWebPage\d?\.aspx");
I won't post a regex, as others have good ones going, but one thing that may be an issue is character case. Regexs are, by default, case-sensitive. The Regex class does have a static overload of the Match function (as well as of Matches and IsMatch) which takes a RegexOptions parameter allowing you to specify if you want to ignore case. For example, I don't know how you are getting your pageUrl variable but depending on how the user typed the URL in their browser, you may get different casings, which could cause your Regex to not find a match.