Reputation: 769
I'm trying to extract all words with Uppercase initial letter from a text, with the REGEXEXTRACT
formula in google sheets.
Ideally the first word of sentences should be ignored and only all subsequent words with first Uppercase letter should be extracted.
I've found those other two questions and answers:
How to extract multiple names with capital letters in Google Sheets?
=ARRAYFORMULA(TRIM(IFERROR(REGEXREPLACE(IFERROR(REGEXEXTRACT(IFERROR(SPLIT(A2:A, CHAR(10))), "(.*) .*@")), "Mr. |Mrs. ", ""))))
Extract only ALLCAPS words with regex
=REGEXEXTRACT(A2, REPT(".* ([A-Z]{2,})", COUNTA(SPLIT(REGEXREPLACE(A2,"([A-Z]{2,})","$"),"$"))-1))
They are close but I can't apply them successfully to my project.
I also found this regex [A-ZÖ][a-zö]+
pattern that works well to get all the Uppercase first letter words.
The problem is that it's not ignoring the first words of sentences.
I've also found this python tutorial and script to do it:
Proper Noun Extraction in Python using NLP in Python
# Importing the required libraries
import nltk
from nltk.corpus import stopwords
from nltk.tokenize import word_tokenize, sent_tokenize
# Function to extract the proper nouns
def ProperNounExtractor(text):
print('PROPER NOUNS EXTRACTED :')
sentences = nltk.sent_tokenize(text)
for sentence in sentences:
words = nltk.word_tokenize(sentence)
words = [word for word in words if word not in set(stopwords.words('english'))]
tagged = nltk.pos_tag(words)
for (word, tag) in tagged:
if tag == 'NNP': # If the word is a proper noun
print(word)
text = """Down the Rabbit-Hole
Alice was beginning to get very tired of sitting by her sister on the bank, and of having nothing to do: once or twice she had peeped into the book her sister was reading, but it had no pictures or conversations in it, `and what is the use of a book,' thought Alice `without pictures or conversation?'
So she was considering in her own mind (as well as she could, for the hot day made her feel very sleepy and stupid), whether the pleasure of making a daisy-chain would be worth the trouble of getting up and picking the daisies, when suddenly a White Rabbit with pink eyes ran close by her.
There was nothing so very remarkable in that; nor did Alice think it so very much out of the way to hear the Rabbit say to itself, `Oh dear! Oh dear! I shall be late!' (when she thought it over afterwards, it occurred to her that she ought to have wondered at this, but at the time it all seemed quite natural); but when the Rabbit actually took a watch out of its waistcoat-pocket, and looked at it, and then hurried on, Alice started to her feet, for it flashed across her mind that she had never before seen a rabbit with either a waistcoat-pocket, or a watch to take out of it, and burning with curiosity, she ran across the field after it, and fortunately was just in time to see it pop down a large rabbit-hole under the hedge."""
# Calling the ProperNounExtractor function to extract all the proper nouns from the given text.
ProperNounExtractor(text)
It works well, but I the idea in doing it in Google Sheets is to have the Uppercase first letter Words adjacent to the text in a table format for more convenient reference.
How would you adjust my formula in the sample sheet below
=ARRAYFORMULA(IF(A1:A="","",REGEXEXTRACT(A1:A,"[A-ZÖ][a-zö]+")))
to add those functions:
Here's my testing Sample Sheet
Many thanks for your help!
Upvotes: 1
Views: 830
Reputation: 11
Since you have already found a Python solution for your use case, you may try utilizing that directly as a custom function in your Google Sheet by hosting the Python code as an API and using Google App script to call it and extract natively in the Google Sheet.
For reference, you can check this repository and this YouTube video.
Upvotes: 1
Reputation: 75850
My two cents:
Formula in B1
:
=INDEX(IF(A1:A<>"",SPLIT(REGEXREPLACE(A1:A,"(?:(?:^|[.?!]+)\s*\S+|\b([A-ZÖ][a-zö]+(?:-[A-ZÖ][a-zö]+)*)\b|.+?)","$1|"),"|",1),""))
The pattern: (?:(?:^|[.?!]+)\s*\S+|\b([A-ZÖ][a-zö]+(?:-[A-ZÖ][a-zö]+)*)\b|.+?)
means:
(?:
- Open non-capture group to allow for alternations:
(?:^|[.?!]+)\s*\S+
- A nested non-capture group to allow for the start-line anchor or 1+ literal dots or question/exclamation marks, followed by 0+ whitespace chars and 1+ non-whitespace chars;|
- Or;\b([A-ZÖ][a-zö]+(?:-[A-ZÖ][a-zö]+)*)\b
- A 1st capture-group to catch camel-case strings (with optional hyphen) between word-boundaries;|
- Or;.+?
- Any 1+ characters (Lazy);)
- Close non-capture group.The idea is here to use REGEXREPLACE()
to substitute any match with the backreference to the 1st capture group and a pipe-symbol (or any symbol for that matter that won't be in your input) and use SPLIT()
to get all words seperated. Note that it is important to use the 3rd parameter of the function to ignore empty strings.
INDEX()
will trigger the array-functionality and spill the results. I used an nested IF()
statement to check for empty cells to skip.
Upvotes: 1
Reputation: 626845
You can use
=ARRAYFORMULA(SPLIT(REGEXREPLACE(REGEXREPLACE(A111:A, "(?:[?!]|\.(?:\.\.+)?)\s+", CHAR(10)), "(?m)^\s*[[:upper:]][[:alpha:]]*|.*?([[:upper:]][[:alpha:]]*|$)", "$1" & char(10)), CHAR(10)))
Or, to make sure the ?
, !
or .
/ ...
that are matched as sentence boundaries are followed with an uppercase letter:
=ARRAYFORMULA(SPLIT(REGEXREPLACE(REGEXREPLACE(A111:A, "(?:[?!]|\.(?:\.\.+)?)\s+([[:upper:]])", CHAR(10) & "$1"), "(?m)^\s*[[:upper:]][[:alpha:]]*|.*?([[:upper:]][[:alpha:]]*|$)", "$1" & char(10)), CHAR(10)))
See the demo screenshot:
See the regex demo.
First, we split the text into sentences in a cell with REGEXREPLACE(A111:A, "(?:[?!]|\.(?:\.\.+)?)\s+", CHAR(10))
. Actually, this just replaces final sentence punctuation with a newline.
The second REGEXREPLACE
is used with another regex that matches
(?m)^\s*[[:upper:]][[:alpha:]]*
- a capitalized word ([[:upper:]][[:alpha:]]*
) at the start of string/line (^
) together with optional whitespace (\s*
)|
- or.*?
- any zero or more chars other than line break chars, as few as possible([[:upper:]][[:alpha:]]*|$)
- Group 1 ($1
): an uppercase letter ([[:upper:]]
) and then any zero or more letters ([[:alpha:]]*
), or end of string ($
)and replaces the match with Group 1 value and a newline, LF char. Then, the result is SPLIT
with a newline char.
Upvotes: 2