Project

General

Profile

1
# String manipulation
2

    
3
import codecs
4
import re
5

    
6
import util
7

    
8
##### Unicode
9

    
10
unicode_reader = codecs.getreader('utf_8')
11

    
12
def to_unicode(str_):
13
    if isinstance(str_, unicode): return str_
14
    encodings = ['utf_8', 'latin_1']
15
    for encoding in encodings:
16
        try: return unicode(str_, encoding)
17
        except UnicodeDecodeError, e: pass
18
    raise AssertionError(encoding+' is not a catch-all encoding')
19

    
20
def ustr(val):
21
    '''Like built-in str() but converts to unicode object'''
22
    if not util.is_str(val): val = str(val)
23
    return to_unicode(val)
24

    
25
##### Line endings
26

    
27
def ensure_newl(str_): return str_.rstrip()+'\n'
28

    
29
def is_multiline(str_):
30
    newl_idx = str_.find('\n')
31
    return newl_idx >= 0 and newl_idx != len(str_)-1 # has newline before end
32

    
33
def remove_extra_newl(str_):
34
    if is_multiline(str_): return str_
35
    else: return str_.rstrip()
36

    
37
def std_newl(str_): return str_.replace('\r\n', '\n').replace('\r', '\n')
38

    
39
##### Whitespace
40

    
41
def cleanup(str_): return std_newl(str_.strip())
42

    
43
def single_space(str_): return re.sub(r' {2,}', r' ', str_.strip())
44

    
45
def one_line(str_): return re.sub(r'\n *', r' ', cleanup(str_))
46

    
47
##### Parsing
48

    
49
def split(sep, str_):
50
    '''Returns [] if str_ == ""'''
51
    if str_ == '': return []
52
    else: return str_.split(sep)
53

    
54
def remove_prefix(prefix, str_):
55
    if str_.startswith(prefix): return str_[len(prefix):]
56
    else: return str_
57

    
58
def remove_suffix(suffix, str_):
59
    if str_.endswith(suffix): return str_[:-len(suffix)]
60
    else: return str_
61

    
62
def remove_prefixes(prefixes, str_):
63
    for prefix in prefixes: str_ = remove_prefix(prefix, str_)
64
    return str_
65

    
66
def overlaps(str0, str1): return str0.find(str1) >= 0 or str1.find(str0) >= 0
(12-12/19)