forked from timkchan/scheme
-
Notifications
You must be signed in to change notification settings - Fork 0
/
scheme_tokens.py
133 lines (123 loc) · 4.9 KB
/
scheme_tokens.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
"""The scheme_tokens module provides functions tokenize_line and tokenize_lines
for converting (iterators producing) strings into (iterators producing) lists
of tokens. A token may be:
* A number (represented as an int or float)
* A boolean (represented as a bool)
* A symbol (represented as a string)
* A delimiter, including parentheses, dots, and single quotes
This file also includes some features of Scheme that have not been addressed
in the course, such as quasiquoting and Scheme strings.
"""
from ucb import main
import itertools
import string
import sys
import tokenize
_NUMERAL_STARTS = set(string.digits) | set('+-.')
_SYMBOL_CHARS = (set('!$%&*/:<=>?@^_~') | set(string.ascii_lowercase) |
set(string.ascii_uppercase) | _NUMERAL_STARTS)
_STRING_DELIMS = set('"')
_WHITESPACE = set(' \t\n\r')
_SINGLE_CHAR_TOKENS = set("()[]'`")
_TOKEN_END = _WHITESPACE | _SINGLE_CHAR_TOKENS | _STRING_DELIMS | {',', ',@'}
DELIMITERS = _SINGLE_CHAR_TOKENS | {'.', ',', ',@'}
def valid_symbol(s):
"""Returns whether s is a well-formed symbol."""
if len(s) == 0:
return False
for c in s:
if c not in _SYMBOL_CHARS:
return False
return True
def next_candidate_token(line, k):
"""A tuple (tok, k'), where tok is the next substring of line at or
after position k that could be a token (assuming it passes a validity
check), and k' is the position in line following that token. Returns
(None, len(line)) when there are no more tokens."""
while k < len(line):
c = line[k]
if c == ';':
return None, len(line)
elif c in _WHITESPACE:
k += 1
elif c in _SINGLE_CHAR_TOKENS:
if c == ']': c = ')'
if c == '[': c = '('
return c, k+1
elif c == '#': # Boolean values #t and #f
return line[k:k+2], min(k+2, len(line))
elif c == ',': # Unquote; check for @
if k+1 < len(line) and line[k+1] == '@':
return ',@', k+2
return c, k+1
elif c in _STRING_DELIMS:
if k+1 < len(line) and line[k+1] == c: # No triple quotes in Scheme
return c+c, k+2
line_bytes = (bytes(line[k:], encoding='utf-8'),)
gen = tokenize.tokenize(iter(line_bytes).__next__)
next(gen) # Throw away encoding token
token = next(gen)
if token.type != tokenize.STRING:
raise ValueError("invalid string: {0}".format(token.string))
return token.string, token.end[1]+k
else:
j = k
while j < len(line) and line[j] not in _TOKEN_END:
j += 1
return line[k:j], min(j, len(line))
return None, len(line)
def tokenize_line(line):
"""The list of Scheme tokens on line. Excludes comments and whitespace."""
result = []
text, i = next_candidate_token(line, 0)
while text is not None:
if text in DELIMITERS:
result.append(text)
elif text == '#t' or text.lower() == 'true':
result.append(True)
elif text == '#f' or text.lower() == 'false':
result.append(False)
elif text == 'nil':
result.append(text)
elif text[0] in _SYMBOL_CHARS:
number = False
if text[0] in _NUMERAL_STARTS:
try:
result.append(int(text))
number = True
except ValueError:
try:
result.append(float(text))
number = True
except ValueError:
pass
if not number:
if valid_symbol(text):
result.append(text.lower())
else:
raise ValueError("invalid numeral or symbol: {0}".format(text))
elif text[0] in _STRING_DELIMS:
result.append(text)
else:
print("warning: invalid token: {0}".format(text), file=sys.stderr)
print(" ", line, file=sys.stderr)
print(" " * (i+3), "^", file=sys.stderr)
text, i = next_candidate_token(line, i)
return result
def tokenize_lines(input):
"""An iterator over lists of tokens, one for each line of the iterable
input sequence."""
return map(tokenize_line, input)
def count_tokens(input):
"""Count the number of non-delimiter tokens in input."""
return len(list(filter(lambda x: x not in DELIMITERS,
itertools.chain(*tokenize_lines(input)))))
@main
def run(*args):
import argparse
parser = argparse.ArgumentParser(description='Count Scheme tokens.')
parser.add_argument('file', nargs='?',
type=argparse.FileType('r'), default=sys.stdin,
help='input file to be counted')
args = parser.parse_args()
print('counted', count_tokens(args.file), 'non-delimiter tokens')