473,399 Members | 4,177 Online
Bytes | Software Development & Data Engineering Community
Post Job

Home Posts Topics Members FAQ

Join Bytes to post your question to a community of 473,399 software developers and data experts.

large dictionary creation takes a LOT of time.

this code here:
def wordcount(lines):
for i in range(len(lines)/8):
words = lines[i].split(" ")
if not locals().has_key("frequency"):
frequency = {}
for word in words:
if frequency.has_key(word):
frequency[word] += 1
else:
frequency[word] = 1
return frequency
wordcount(lines)

is taking over six minutes to run on a two megabyte text file. i
realize that's a big text file, a really big one (it's actually the
full text of don quixote.). i'm trying to figure out how. is there a
better way for me to do a frequency count of all the words in the text?
it seems to me like this should scale linearly, but perhaps it isn't?
i don't know much about algorithmic complexity. if someone could give
a breakdown of this functions complexity as well i'd be much obliged.

lines is expected to be a list of lines as provided by file.readline()

Jul 19 '05 #1
12 1531
"possibilitybox" <po************@gmail.com> writes:
this code here:
def wordcount(lines):
for i in range(len(lines)/8):
words = lines[i].split(" ")
if not locals().has_key("frequency"):
frequency = {}
for word in words:
if frequency.has_key(word):
frequency[word] += 1
else:
frequency[word] = 1
return frequency
wordcount(lines)

is taking over six minutes to run on a two megabyte text file. i
realize that's a big text file, a really big one (it's actually the
full text of don quixote.). i'm trying to figure out how. is there a
better way for me to do a frequency count of all the words in the text?
2MB is not that large. Your method is ok and shouldn't be that slow
unless you're on a pretty slow PC. Could your machine be short of
memory and paging a lot? You could tweak the code somewhat by moving
the initialization of the frequency dict out of the loop and combining
a few other statements. Also you should use xrange instead of range,
to avoid allocating a big list in memory:

def wordcount(lines):
frequency = {}
for i in xrange(len(lines)/8):
for word in lines[i].split():
frequency[word] = 1 + frequency.get(word, 0)
return frequency
wordcount(lines)
it seems to me like this should scale linearly, but perhaps it isn't?
i don't know much about algorithmic complexity. if someone could give
a breakdown of this functions complexity as well i'd be much obliged.


It should be close to linear, or at worst n log n, depending on what
happens when dicts have to be enlarged as the # of elements increases.
Why are you only processing 1/8th of the lines?
Jul 19 '05 #2
possibilitybox wrote:
this code here:
def wordcount(lines):
for i in range(len(lines)/8):
words = lines[i].split(" ")
if not locals().has_key("frequency"):
frequency = {}
for word in words:
if frequency.has_key(word):
frequency[word] += 1
else:
frequency[word] = 1
return frequency
wordcount(lines)

is taking over six minutes to run on a two megabyte text file. i
realize that's a big text file, a really big one (it's actually the
full text of don quixote.). i'm trying to figure out how. is there a
better way for me to do a frequency count of all the words in the text?
it seems to me like this should scale linearly, but perhaps it isn't?
i don't know much about algorithmic complexity. if someone could give
a breakdown of this functions complexity as well i'd be much obliged.

lines is expected to be a list of lines as provided by file.readline()


Here is a little cleaner version. It takes about a second to run on my PC. What hardware are you
running on?

path = 'DonQuixote.txt'

frequency = {}

for line in open(path):
for word in line.split():
if frequency.has_key(word):
frequency[word] += 1
else:
frequency[word] = 1

print len(frequency), 'words'
Kent
Jul 19 '05 #3
>>>>> "Kent" == Kent Johnson <ke****@tds.net> writes:

Kent> if frequency.has_key(word):
Kent> frequency[word] += 1
Kent> else:
Kent> frequency[word] = 1

This is a good place to use 'get' method of dict:

frequency[word] = frequency.get(word,0) + 1

--
Ville Vainio http://tinyurl.com/2prnb
Jul 19 '05 #4
Ville Vainio:
This is a good place to use 'get' method of dict:
frequency[word] = frequency.get(word,0) + 1


I think Kent Johnson is longer, but a bit faster...

Bye,
Bearophile

Jul 19 '05 #5
In article <11**********************@z14g2000cwz.googlegroups .com>,
"possibilitybox" <po************@gmail.com> wrote:
this code here:
def wordcount(lines):
for i in range(len(lines)/8):
words = lines[i].split(" ")
if not locals().has_key("frequency"):
frequency = {}
for word in words:
if frequency.has_key(word):
frequency[word] += 1
else:
frequency[word] = 1
return frequency
wordcount(lines)

is taking over six minutes to run on a two megabyte text file. i
realize that's a big text file, a really big one (it's actually the
full text of don quixote.).
Something doesn't make sense with your timing.

I just downloaded the text of Don Quixote
(http://www.gutenberg.org/dirs/9/9/996/996.txt). It's about 2.3 Mbytes,
428 kwords, 40 klines. This includes the text of the novel itself, plus a
little boilerplate text added by the Gutenberg Project folks.

I ran your program against it on my PowerBook (1 GHz PowerPC, Python 2.3.4,
768 Mbytes RAM). It took about 0.4 seconds. When I got rid of the "/8" in
the range() call (so it processed the whole text), it took about 1.8
seconds (0.24 of which were just reading the file). Some other posters
reported similiar findings.

What kind of system are you running it on? The only thing I can think of
is that you've got way too little memory and your machine is just
thrashing. My Python process is about 31 Mb when it first starts up, grows
to 35 when the file is read into a list, then gets to 38 after the call to
wordcount().
i'm trying to figure out how. is there a
better way for me to do a frequency count of all the words in the text?
it seems to me like this should scale linearly, but perhaps it isn't?
i don't know much about algorithmic complexity. if someone could give
a breakdown of this functions complexity as well i'd be much obliged.
Well, I don't see anything in your code which isn't linear. There are some
places where you could do things a little more efficiently, but these would
all be replacing one linear process with a better linear process. Small
speedups, but not the drastic kind of speedups you would expect by
replacing a quadratic process with a linear one.

Here's a few things I would change:
if not locals().has_key("frequency"):
frequency = {}
This is kind of silly. Just factor this out of the main loop, and do
"frequency = {}" before the first for loop. This won't speed things up
other than trivially, but it'll make your code easier to read and
understand.

Next, replace
for i in range(len(lines)):
words = lines[i].split(" ")
with something like
for line in lines:
words = line.split()
It's marginally faster, easier to read, and is actually more correct;
calling split() with no arguments makes it split on arbitrary white space,
which is probably what you really want:
"foo bar baz".split(" ") ['foo', 'bar', '', '', '', 'baz']
"foo bar baz".split()

['foo', 'bar', 'baz']

And lastly, instead of

if frequency.has_key(word): frequency[word] += 1
else:
frequency[word] = 1


I would do:

try:
frequency[word] += 1
except KeyError:
frequency[word] = 1

which is usually a little bit faster. Somebody else mentioned using the
get() method of dictionaries here; that might be even better, but I learned
the try/except trick before get() existed, so I tend to stick to that :-)

But, as I said, all of these are just minor tweaks. Overall, your code
looks like it should run in O(n), so fixing your code is not where you
should be looking. Something external (i.e. memory thrashing or some other
exceptionally bad bit of system performance) has to be causing the
horrendously bad performance you're seeing, and that's where you should be
concentrating your efforts.

BTW, if you suspected you had some kind of non-linear algorithm, and didn't
trust code inspection to verify its existance, you could just run your
program a bunch of times on different sized data sets, and plot runtime vs.
input size to see what kind of curve you get.
Jul 19 '05 #6
Kent Johnson wrote:

Here is a little cleaner version. It takes about a second to run on my
PC. What hardware are you running on?

path = 'DonQuixote.txt'

frequency = {}

for line in open(path):
for word in line.split():
if frequency.has_key(word):
frequency[word] += 1
else:
frequency[word] = 1

print len(frequency), 'words'
Kent for line in open(path):

the line of your example raise another question: opened file will be read at once time, as method readlines() do, or it will be read line by line as method readline() do.
as far i know, it is depends on implementation of method "__iter__" of the object that "open()" returns, so another question: where i can find such an information (about how does such a functions works)?
--
Best regards,
Maksim Kasimov
mailto: ka*****@i.com.ua
Jul 19 '05 #7
Maksim Kasimov wrote:
Kent Johnson wrote:
> for line in open(path): the line of your example raise another question: opened file will be
read at once time, as method readlines() do, or it will be read line by
line as method readline() do.


It will be read line by line as readline() does.
as far i know, it is depends on implementation of method "__iter__" of
the object that "open()" returns, so another question: where i can find
such an information (about how does such a functions works)?


http://docs.python.org/lib/built-in-funcs.html
http://docs.python.org/lib/bltin-file-objects.html

Kent
Jul 19 '05 #8
In fact, as one of the Peter's (either Otten or Hansen) explained to me,

for line in open(file):

is actually both faster (being buffered) and generally better for very
large files because it doesn't read the whole file into memory, like
readlines does (if you have a memory limitation).

On Fri, 29 Apr 2005 12:00:37 -0400, Kent Johnson <ke****@tds.net> wrote:
Maksim Kasimov wrote:
Kent Johnson wrote:
> for line in open(path):

the line of your example raise another question: opened file will be
read at once time, as method readlines() do, or it will be read line by
line as method readline() do.


It will be read line by line as readline() does.
as far i know, it is depends on implementation of method "__iter__" of
the object that "open()" returns, so another question: where i can find
such an information (about how does such a functions works)?


http://docs.python.org/lib/built-in-funcs.html
http://docs.python.org/lib/bltin-file-objects.html

Kent


Jul 19 '05 #9
On Friday 29 April 2005 11:53, Ville Vainio wrote:
>> "Kent" == Kent Johnson <ke****@tds.net> writes:


Kent> if frequency.has_key(word):
Kent> frequency[word] += 1
Kent> else:
Kent> frequency[word] = 1

This is a good place to use 'get' method of dict:

frequency[word] = frequency.get(word,0) + 1


try/except might be fastest of all:

http://gumuz.looze.net/wordpress/ind...-optimisation/

-----BEGIN PGP SIGNATURE-----
Version: GnuPG v1.2.4 (GNU/Linux)

iD8DBQBCcqaWY6W16wIJgxQRAkSKAJ0VDc2Z6HY9J11vIDfSuO ztyryprACgqfLy
TwuBUdEE6VlLf0tJPCiVeoY=
=oUbE
-----END PGP SIGNATURE-----

Jul 19 '05 #10
oh, right, i did only one eighth to check and see if it was scaling
near linearly, as i couldn't even run profiling without python dying.

i have 400mb ram and 2ghz processor, on freebsd, so it shouldn't be
performance. i'll try your suggestions and see how it works.

Jul 19 '05 #11

sorry for my question, but i've read the documentation, and can't find where is the explanation of how it is exactly works (but of course i do believe you). If it is buit in function, can i see the source code of the method to find it out?

Kent Johnson wrote:
Maksim Kasimov wrote:
Kent Johnson wrote:
> for line in open(path):

the line of your example raise another question: opened file will be
read at once time, as method readlines() do, or it will be read line
by line as method readline() do.

It will be read line by line as readline() does.
as far i know, it is depends on implementation of method "__iter__" of
the object that "open()" returns, so another question: where i can
find such an information (about how does such a functions works)?

http://docs.python.org/lib/built-in-funcs.html
http://docs.python.org/lib/bltin-file-objects.html

Kent

--
Best regards,
Maxim Kasimov
mailto: ka*****@i.com.ua
Jul 19 '05 #12
Maksim Kasimov wrote:

sorry for my question, but i've read the documentation, and can't find
where is the explanation of how it is exactly works (but of course i do
believe you). If it is buit in function, can i see the source code of
the method to find it out?

Kent Johnson wrote:
http://docs.python.org/lib/built-in-funcs.html
From the above page:
open( filename[, mode[, bufsize]])
An alias for the file() function above.

file( filename[, mode[, bufsize]])
Return a new file object (described in section 2.3.9, ``File Objects'').
http://docs.python.org/lib/bltin-file-objects.html


2.3.9 File Objects

next( )
A file object is its own iterator, for example iter(f) returns f (unless f is closed). When a
file is used as an iterator, typically in a for loop (for example, for line in f: print line), the
next() method is called repeatedly. This method returns the next input line, or raises StopIteration
when EOF is hit. <etc>

or look at Objects/fileobject.c in the source code.

Kent
Jul 19 '05 #13

This thread has been closed and replies have been disabled. Please start a new discussion.

Similar topics

4
by: brianobush | last post by:
# # My problem is that I want to create a # class, but the variables aren't known # all at once. So, I use a dictionary to # store the values in temporarily. # Then when I have a complete set, I...
125
by: Raymond Hettinger | last post by:
I would like to get everyone's thoughts on two new dictionary methods: def count(self, value, qty=1): try: self += qty except KeyError: self = qty def appendlist(self, key, *values): try:
7
by: matvdl | last post by:
I have migrated my asp application to asp.net some time ago - but I am still having some difficulties in understanding the best way to mange some tasks. I currently have a page that loads a aspx...
2
by: Atul | last post by:
In my winform application, to access webmethod, we create a webservice proxy object. For the first time, when winform application is started, for creating proxy object(e.g. MyWebServiceProxy oProxy...
57
by: Chris Foote | last post by:
Hi all. I have the need to store a large (10M) number of keys in a hash table, based on a tuple of (long_integer, integer). The standard python dictionary works well for small numbers of keys,...
10
by: Petr Jakeš | last post by:
I have a standard 12-key mobile phone keypad connected to my Linux machine as a I2C peripheral. I would like to write a code which allows the text entry to the computer using this keypad (something...
8
by: akameswaran | last post by:
I wrote up a quick little set of tests, I was acutally comparing ways of doing "case" behavior just to get some performance information. Now two of my test cases had almost identical results which...
20
by: Simon Strobl | last post by:
Hello, I tried to load a 6.8G large dictionary on a server that has 128G of memory. I got a memory error. I used Python 2.5.2. How can I load my data? SImon
6
by: Patrick Sullivan | last post by:
Hello. I will be using some large data sets ("points" from 2 to 12 variables) and would like to use one class for each point rather than a list or dictionary. I imagine this is terribly...
0
by: Charles Arthur | last post by:
How do i turn on java script on a villaon, callus and itel keypad mobile phone
1
by: nemocccc | last post by:
hello, everyone, I want to develop a software for my android phone for daily needs, any suggestions?
1
by: Sonnysonu | last post by:
This is the data of csv file 1 2 3 1 2 3 1 2 3 1 2 3 2 3 2 3 3 the lengths should be different i have to store the data by column-wise with in the specific length. suppose the i have to...
0
by: Hystou | last post by:
There are some requirements for setting up RAID: 1. The motherboard and BIOS support RAID configuration. 2. The motherboard has 2 or more available SATA protocol SSD/HDD slots (including MSATA, M.2...
0
by: Hystou | last post by:
Most computers default to English, but sometimes we require a different language, especially when relocating. Forgot to request a specific language before your computer shipped? No problem! You can...
0
Oralloy
by: Oralloy | last post by:
Hello folks, I am unable to find appropriate documentation on the type promotion of bit-fields when using the generalised comparison operator "<=>". The problem is that using the GNU compilers,...
0
tracyyun
by: tracyyun | last post by:
Dear forum friends, With the development of smart home technology, a variety of wireless communication protocols have appeared on the market, such as Zigbee, Z-Wave, Wi-Fi, Bluetooth, etc. Each...
0
agi2029
by: agi2029 | last post by:
Let's talk about the concept of autonomous AI software engineers and no-code agents. These AIs are designed to manage the entire lifecycle of a software development project—planning, coding, testing,...
0
isladogs
by: isladogs | last post by:
The next Access Europe User Group meeting will be on Wednesday 1 May 2024 starting at 18:00 UK time (6PM UTC+1) and finishing by 19:30 (7.30PM). In this session, we are pleased to welcome a new...

By using Bytes.com and it's services, you agree to our Privacy Policy and Terms of Use.

To disable or enable advertisements and analytics tracking please visit the manage ads & tracking page.