File: cmdline.py

package info (click to toggle)
convertall 0.8.0-3
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid, trixie
  • size: 1,820 kB
  • sloc: python: 2,952; makefile: 7
file content (201 lines) | stat: -rw-r--r-- 7,329 bytes parent folder | download | duplicates (5)
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
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
#****************************************************************************
# cmdline.py, provides a class to read and execute command line arguments
#
# ConvertAll, a units conversion program
# Copyright (C) 2015, Douglas W. Bell
#
# This is free software; you can redistribute it and/or modify it under the
# terms of the GNU General Public License, either Version 2 or any later
# version.  This program is distributed in the hope that it will be useful,
# but WITTHOUT ANY WARRANTY.  See the included LICENSE file for details.
#*****************************************************************************

import sys
import re
import option
import optiondefaults
import unitdata
import unitgroup

usage = [_('Usage:'),
         '',
         '   convertall [{0}]'.format(_('qt-options')),
         '',
         _('-or- (non-GUI):'),
         '   convertall [{0}] [{1}] {2} [{3}]'.format(_('options'),
                                                      _('number'),
                                                      _('from_unit'),
                                                      _('to_unit')),
         '',
         _('-or- (non-GUI):'),
         '   convertall -i [{0}]'.format(_('options')),
         '',
         _('Units with spaces must be "quoted"'),
         '',
         _('Options:'),
         '   -d, --decimals={0:6} {1}'.format(_('num'),
                                          _('set number of decimals to show')),
         '   -f, --fixed-decimals  {0}'.format(
                              _('show set number of decimals, even if zeros')),
         '   -s, --sci-notation    {0}'.format(
                                     _('show results in scientific notation')),
         '   -e, --eng-notation    {0}'.format(
                                    _('show results in engineering notation')),
         '   -h, --help            {0}'.format(
                                           _('display this message and exit')),
         '   -i, --interactive     {0}'.format(
                                 _('interactive command line mode (non-GUI)')),
         '   -q, --quiet           {0}'.format(
                                         _('convert without further prompts')),
         '']

def parseArgs(opts, args):
    """Parse the command line and output conversion results.
    """
    options = option.Option('convertall', 20)
    options.loadAll(optiondefaults.defaultList)
    quiet = False
    dataTestMode = False
    for opt, arg in opts:
        if opt in ('-h', '--help'):
            printUsage()
            return
        if opt in ('-d', '--decimals'):
            try:
                decimals = int(arg)
                if 0 <= decimals <= unitgroup.UnitGroup.maxDecPlcs:
                    options.changeData('DecimalPlaces', arg, False)
            except ValueError:
                pass
        elif opt in ('-f', '--fixed-decimals'):
            options.changeData('Notation', 'fixed', False)
        elif opt in ('-s', '--sci-notation'):
            options.changeData('Notation', 'scientific', False)
        elif opt in ('-e', '--eng-notation'):
            options.changeData('Notation', 'engineering', False)
        elif opt in ('-q', '--quiet'):
            quiet = True
        elif opt in ('-t', '--test'):
            dataTestMode = True
    data = unitdata.UnitData()
    try:
        data.readData()
    except unitdata.UnitDataError as text:
        print('Error in unit data - {0}'.format(text))
        sys.exit(1)
    if dataTestMode:
        unitDataTest(data, options)
        return
    numStr = '1.0'
    if args:
        numStr = args[0]
        try:
            float(numStr)
            del args[0]
        except (ValueError):
            numStr = '1.0'
    fromUnit = None
    try:
        fromUnit = getUnit(data, options, args.pop(0))
    except IndexError:
        pass
    if not fromUnit and quiet:
        return
    toUnit = None
    try:
        toUnit = getUnit(data, options, args[0])
    except IndexError:
        pass
    if not toUnit and quiet:
        return
    while True:
        while not fromUnit:
            text = _('Enter from unit -> ')
            fromText = input(text)
            if not fromText:
                return
            fromUnit = getUnit(data, options, fromText)
        while not toUnit:
            text = _('Enter to unit -> ')
            toText = input(text)
            if not toText:
                return
            toUnit = getUnit(data, options, toText)
        if fromUnit.categoryMatch(toUnit):
            badEntry = False
            while True:
                if not badEntry:
                    newNumStr = fromUnit.convertStr(float(numStr), toUnit)
                    print('{0} {1} = {2} {3}'.format(numStr,
                                                     fromUnit.unitString(),
                                                     newNumStr,
                                                     toUnit.unitString()))
                    if quiet:
                        return
                badEntry = False
                text = _('Enter number, [n]ew, [r]everse or [q]uit -> ')
                rep = input(text)
                if not rep or rep[0] in ('q', 'Q'):
                    return
                if rep[0] in ('r', 'R'):
                    fromUnit, toUnit = toUnit, fromUnit
                elif rep[0] in ('n', 'N'):
                    fromUnit = None
                    toUnit = None
                    numStr = '1.0'
                    print()
                    break
                else:
                    try:
                        float(rep)
                        numStr = rep
                    except ValueError:
                        badEntry = True
        else:
            print(_('Units {0} and {1} are not compatible').
                  format(fromUnit.unitString(), toUnit.unitString()))
            if quiet:
                return
            fromUnit = None
            toUnit = None

def getUnit(data, options, text):
    """Create unit from text, check unit is valid,
       return reduced unit or None.
    """
    unit = unitgroup.UnitGroup(data, options)
    unit.update(text)
    if unit.groupValid():
        unit.reduceGroup()
        return unit
    print(_('{0} is not a valid unit').format(text))
    return None

def printUsage():
    """Print usage text.
    """
    print('\n'.join(usage))

def unitDataTest(data, options):
    """Run through a test of all units for consistent definitions,
       print results, return True if all pass.
    """
    badUnits = {}
    errorRegEx = re.compile(r'.*"(.*)"$')
    for unit in data.values():
        if not unit.unitValid():
            badUnits.setdefault(unit.name, []).append(unit.name)
        group = unitgroup.UnitGroup(data, options)
        group.replaceCurrent(unit)
        try:
            group.reduceGroup()
        except unitdata.UnitDataError as errorText:
            rootUnitName = errorRegEx.match(errorText).group(1)
            badUnits.setdefault(rootUnitName, []).append(unit.name)
    if not badUnits:
        print('All units pass tests')
        return True
    for key in sorted(badUnits.keys()):
        impacts = ', '.join(sorted(badUnits[key]))
        print('{0}\n   Impacts:  {1}\n'.format(key, impacts))
    return False