Massive renaming!

This commit is contained in:
Crista Lopes
2019-08-12 14:38:16 -07:00
parent e6c1238a56
commit 61d5f74ad9
90 changed files with 0 additions and 0 deletions

19
25-quarantine/README.md Normal file
View File

@@ -0,0 +1,19 @@
Style #24
==============================
This style is a variation of style #09, The One, with the following additional constraints:
Constraints:
- Core program functions have no side effects of any kind, including IO
- All IO actions must be contained in computation sequences that are
clearly separated from the pure functions
- All sequences that have IO must be called from the main program
Possible names:
- Quarantine
- Monadic IO
- Imperative functional style

78
25-quarantine/tf-25.py Normal file
View File

@@ -0,0 +1,78 @@
#!/usr/bin/env python
import sys, re, operator, string
#
# The Quarantine class for this example
#
class TFQuarantine:
def __init__(self, func):
self._funcs = [func]
def bind(self, func):
self._funcs.append(func)
return self
def execute(self):
def guard_callable(v):
return v() if hasattr(v, '__call__') else v
value = lambda : None
for func in self._funcs:
value = func(guard_callable(value))
print(guard_callable(value))
#
# The functions
#
def get_input(arg):
def _f():
return sys.argv[1]
return _f
def extract_words(path_to_file):
def _f():
with open(path_to_file) as f:
data = f.read()
pattern = re.compile('[\W_]+')
word_list = pattern.sub(' ', data).lower().split()
return word_list
return _f
def remove_stop_words(word_list):
def _f():
with open('../stop_words.txt') as f:
stop_words = f.read().split(',')
# add single-letter words
stop_words.extend(list(string.ascii_lowercase))
return [w for w in word_list if not w in stop_words]
return _f
def frequencies(word_list):
word_freqs = {}
for w in word_list:
if w in word_freqs:
word_freqs[w] += 1
else:
word_freqs[w] = 1
return word_freqs
def sort(word_freq):
return sorted(word_freq.items(), key=operator.itemgetter(1), reverse=True)
def top25_freqs(word_freqs):
top25 = ""
for tf in word_freqs[0:25]:
top25 += str(tf[0]) + ' - ' + str(tf[1]) + '\n'
return top25
#
# The main function
#
TFQuarantine(get_input)\
.bind(extract_words)\
.bind(remove_stop_words)\
.bind(frequencies)\
.bind(sort)\
.bind(top25_freqs)\
.execute()