Question

I am a python beginner and want python to capture all text in quotation marks from a text file. I have tried the following:

filename = raw_input("Enter the full path of the file to be used: ")
input = open(filename, 'r')
import re
quotes = re.findall(ur'"[\^u201d]*["\u201d]', input)
print quotes

I get the error:

Traceback (most recent call last):
  File "/Users/nithin/Documents/Python/Capture Quotes", line 5, in <module>
    quotes = re.findall(ur'"[\^u201d]*["\u201d]', input)
  File "/Library/Frameworks/Python.framework/Versions/2.7/lib/python2.7/re.py", line 177, in findall
    return _compile(pattern, flags).findall(string)
TypeError: expected string or buffer

Can anyone help me out?

Was it helpful?

Solution

As Bakuriu has pointed out, you need to add .read() like so:

quotes = re.findall(ur'[^\u201d]*[\u201d]', input.read())

open() merely returns a file object, whereas f.read() will return a string. In addition, I'm guessing you are looking to get everything between two quotation marks instead of just zero or more occurences of [\^u201d] before a quotation mark. So I would try this:

quotes = re.findall(ur'[\u201d][^\u201d]*[\u201d]', input.read(), re.U)

The re.U accounts for unicode. Or (if you don't have two sets of right double quotation marks and don't need unicode):

quotes = re.findall(r'"[^"]*"', input.read(), re.U)

Finally, you may want to choose a different variable than input, since input is a keyword in python.

Your result might look something like this:

>>> input2 = """
cfrhubecf "ehukl wehunkl echnk
wehukb ewni; wejio;"
"werulih"
"""
>>> quotes = re.findall(r'"[^"]*"', input2, re.U)
>>> print quotes
['"ehukl wehunkl echnk\nwehukb ewni; wejio;"', '"werulih"']

OTHER TIPS

Instead of using regular expressions you could try some python builtins. Ill let you do the hard work:

message = '''
"some text in quotes", some text not in quotes. Some more text 'In different kinds of quotes'.
'''
list_of_single_quote_items = message.split("'")
list_of_double_quote_items = message.split(""")

The challenging part will be interpreting what your split list means and dealing with all edge conditions (only one quote in string, escape sequences, etc.)

Licensed under: CC-BY-SA with attribution
Not affiliated with StackOverflow
scroll top