and I’d like to match the part in between the brackets with
a regexp with negative lookahead excluding a substring,
( in this case, rather than just single characters),
but I can’t get it right…
thank you for responding.
I am working on an analysis of so-called chunked text,
i.e., an analysis of words in a sentence, that
classifies words as nouns / verbs / adjectives etc.
A typical sentence with chunking tags thus looks like this:
" The physical descriptions of places in
North Carolina , in so far as
they are specific at all
, owe a little to memories
of my childhood , although I
've also borrowed indiscriminately from
other people 's childhood memories as well
."
Originally, I wanted to use Regexps to split the original sentence
into groups using negative lookahead, which I’ve now skipped in favor
of repeated Array.splits, but I think I could you use knowing how to
search for a substring using negative lookahead, i.e., as in my example:
regexp=/…/ <= searched for, such that:
string=" In North Carolina "
ref=regexp.match(string)
p ref[1] => “In North Carolina”
regexp=/…/ <= searched for, such that:
string=“ In North Carolina ”
ref=regexp.match(string)
p ref[1] => “In North Carolina”
This will work pretty well (works for the above):
/<\w+>(.*?)</\w+>/
The only thing fancy there is making the .* non-greedy by adding .*?.
This means it will take the shortest possible match instead of the
longest.
But it will not work as I think you would want with a string of nested
clauses. If you want to include internal clauses then you would need
to make sure that the close tag matches the open tag. The side effect
is that you’ll need to have another sub match within the regex.
So consider:
/<(\w+)>(.*?)</\1>/
Example:
irb(main):033:0> str = “In North Carolina adsf ”
=> “In North Carolina adsf ”
irb(main):034:0> re = /<(\w+)>(.?)</\1>/
=> /<(\w+)>(.?)</\1>/
irb(main):035:0> re.match(str)[1]
=> “NC”
irb(main):036:0> re.match(str)[2]
=> "In North Carolina adsf "
Does that help?
This forum is not affiliated to the Ruby language, Ruby on Rails framework, nor any Ruby applications discussed here.