Skip to content

Commit 8fe9ab9

Browse files
authored
Merge pull request #13 from gjbex/development
Development
2 parents 179f2d7 + 4b96831 commit 8fe9ab9

37 files changed

+625
-353
lines changed

environment.yml

+9-4
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,8 @@
11
name: python_for_systems_programming
22
channels:
3-
- defaults
3+
- conda-forge
44
dependencies:
5+
- click
56
- paramiko
67
- matplotlib
78
- jinja2
@@ -10,6 +11,10 @@ dependencies:
1011
- fabric
1112
- numpy
1213
- jupyterlab
13-
pip:
14-
- schedule
15-
prefix: /home/gjb/miniconda3/envs/python_for_systems_programming
14+
- uvicorn
15+
- ca-certificates
16+
- certifi
17+
- openssl
18+
- fastapi
19+
- fire
20+
prefix: /home/gjb/mambaforge/envs/python_for_systems_programming

python_for_systems_programming.pptx

2 Bytes
Binary file not shown.

python_for_systems_programming_linux64_conda_specs.txt

+289-132
Large diffs are not rendered by default.

source-code/README.md

+1
Original file line numberDiff line numberDiff line change
@@ -44,3 +44,4 @@ to create it. There is some material not covered in the presentation as well.
4444
1. `subprocess`: illustrates executing a shell command from a Python script
4545
using the `subprocess` module.
4646
1. `xml-generator`: code to generate a random XML documents.
47+
1. `fastapi`: simple illustrations of using FastAPI for webservices.

source-code/code-evaluation/fac.py

+1-4
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,2 @@
11
def fac(n):
2-
if n < 2:
3-
return 1
4-
else:
5-
return n*fac(n-1)
2+
return 1 if n < 2 else n*fac(n-1)

source-code/code-evaluation/fib.py

+1-4
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,2 @@
11
def fib(n):
2-
if n == 0 or n == 1:
3-
return 1
4-
else:
5-
return fib(n-1) + fib(n-2)
2+
return 1 if n in [0, 1] else fib(n-1) + fib(n-2)

source-code/command-line-arguments/ArgParse/README.md

+1
Original file line numberDiff line numberDiff line change
@@ -23,3 +23,4 @@ $ ./generate_gaussian.py -h
2323
./options_in_file.py --foo something @file_options.txt
2424
```
2525
1. `file_options.txt`: file containing options for `options_in_file.py`.
26+
1. `Rerun`: experiment with file options.
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,33 @@
1+
# Rerunnable
2+
3+
Toy application to explore the possibilities created by
4+
using argparse options stored in a file.
5+
6+
7+
## What is it?
8+
1. rerunnable.py`: script to explore the possibilities.
9+
10+
11+
## How to use?
12+
13+
```bash
14+
$ ./rerunnable.py --verbose --number 5 --type bye gjb
15+
$ ./rerunnable.py @rerunnable_cla.txt
16+
```
17+
18+
This will rerun the application with all the settings specified for the
19+
previous run.
20+
21+
To override options:
22+
```bash
23+
$ ./rerunnable.py @rerunnable_cla.txt --number 3
24+
```
25+
26+
27+
## Conclusions
28+
29+
This approach works well for command line options, e.g., `--number 5`.
30+
31+
It is not flexibile for flags, e.g., `--verbose` since they can not be "unset".
32+
33+
It is not flexible either for positional arguments since they can not be modified.
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,39 @@
1+
#!/usr/bin/env python
2+
3+
import argparse
4+
5+
6+
def dump_options(options, pos_args=None, exclude=None):
7+
options_dict = vars(options)
8+
with open('rerunnable_cla.txt', 'w') as file:
9+
for key, value in options_dict.items():
10+
if ((exclude is None or key not in exclude) and
11+
(pos_args is None or key not in pos_args)):
12+
if isinstance(value, bool):
13+
if value:
14+
print(f'--{key}', file=file)
15+
else:
16+
print(f'--{key}\n{value}', file=file)
17+
if pos_args is not None:
18+
for key in pos_args:
19+
print(options_dict[key], file=file)
20+
21+
22+
if __name__ == '__main__':
23+
arg_parser = argparse.ArgumentParser(
24+
fromfile_prefix_chars='@',
25+
description='application that saves its command line options and can be rerun'
26+
)
27+
arg_parser.add_argument('--number', type=int, default=1,
28+
help='number of messages to write')
29+
arg_parser.add_argument('--type', choices=('hello', 'bye'), default='hello',
30+
help='message type')
31+
arg_parser.add_argument('--verbose', action='store_true',
32+
help='verbose output')
33+
arg_parser.add_argument('name', help='person to message')
34+
options = arg_parser.parse_args()
35+
dump_options(options, pos_args=('name', ))
36+
if options.verbose:
37+
print(f'printing {options.number} messages')
38+
for _ in range(options.number):
39+
print(f'{options.type} {options.name}')

source-code/command-line-arguments/ArgParse/options_in_file.py

+3-3
Original file line numberDiff line numberDiff line change
@@ -3,14 +3,14 @@
33
import argparse
44

55

6-
def amin():
6+
def main():
77
arg_parser = argparse.ArgumentParser(fromfile_prefix_chars='@')
88
arg_parser.add_argument('--foo', help='foo option')
9-
arg_parser.add_argument('--bar', help='bar optoin')
9+
arg_parser.add_argument('--bar', help='bar option')
1010
arg_parser.add_argument('--flag', action='store_true',
1111
help='flag option')
1212
options = arg_parser.parse_args()
1313
print(options)
1414

1515
if __name__ == '__main__':
16-
amin()
16+
main()

source-code/command-line-arguments/ArgParse/partial_parse.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -19,5 +19,5 @@
1919
options.resoure_specs))
2020
print('resources: ' + ', '.join(specs))
2121
if options.account:
22-
print('account: ' + options.account)
22+
print(f'account: {options.account}')
2323
print('unparsed: ' + ', '.join(unparsed))

source-code/command-line-arguments/ArgParse/two_stage_parse.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -7,7 +7,7 @@
77

88

99
def parse_job_script(file_name):
10-
args = list()
10+
args = []
1111
with open(file_name) as file:
1212
for line in file:
1313
if line.lstrip().startswith('#PBS '):

source-code/command-line-arguments/Fire/README.md

+4-2
Original file line numberDiff line numberDiff line change
@@ -5,8 +5,10 @@ applications with a command line interface.
55

66
## What is it?
77

8-
1. `calculator.py`/`calculations.py`: Calculator application that
8+
1. `calculator.py`/`calculations.py`: calculator application that
99
implements addition, substraction, multiplication and division.
10-
1. `sayer.py`: Illustration of grouped commands.
10+
1. `sayer.py`: illustration of grouped commands.
1111
1. `cl_logger.py`/`log_management.py`/`log_operations.py`: logging
1212
from the command line example.
13+
1. `job.py`: simple class definition to explore interacting with
14+
objects from the CLI.
Original file line numberDiff line numberDiff line change
@@ -1,14 +1,17 @@
1-
def add(x, y):
1+
def add(x: float, y: float) -> float:
22
return x + y
33

4-
def sub(x, y):
4+
def sub(x: float, y: float) -> float:
55
return x - y
66

7-
def mult(x, y):
7+
def mult(x: float, y: float) -> float:
88
return x*y
99

10-
def div(x, y):
10+
def div(x: float, y: float) -> float:
1111
return x/y
1212

13-
def mod(x, y):
13+
def idiv(x: int, y: int) -> int:
14+
return x//y
15+
16+
def mod(x: int, y: int) -> int:
1417
return x % y

source-code/command-line-arguments/Fire/calculator.py

+2-1
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,7 @@
11
#!/usr/bin/env python
2-
import fire
2+
33
import calculations
4+
import fire
45

56

67
if __name__ == '__main__':
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,37 @@
1+
#!/usr/bin/env python
2+
import fire
3+
4+
5+
class Job:
6+
7+
_nodes: int
8+
_ntasks: int
9+
10+
def __init__(self, nodes=1, ntasks=1):
11+
self.nodes = nodes
12+
self.ntasks = ntasks
13+
14+
@property
15+
def nodes(self):
16+
return self._nodes
17+
18+
@nodes.setter
19+
def nodes(self, nodes):
20+
self._nodes = nodes
21+
return self
22+
23+
24+
@property
25+
def ntasks(self):
26+
return self._ntasks
27+
28+
@ntasks.setter
29+
def ntasks(self, ntasks):
30+
self._ntasks = ntasks
31+
return self
32+
33+
def print(self):
34+
return f'nodes={self.nodes} ntasks={self.ntasks}'
35+
36+
if __name__ == '__main__':
37+
fire.Fire(Job)

source-code/command-line-arguments/Fire/sayer.py

+7-11
Original file line numberDiff line numberDiff line change
@@ -12,13 +12,12 @@ def __init__(self, name):
1212
self.name = name
1313

1414
def to(self, name=None):
15-
if name is None:
16-
if self.name is None:
17-
return 'No one to say hello to'
18-
else:
19-
return f'Hello to {self.name}'
20-
else:
15+
if name is not None:
2116
return f'Hello {name}'
17+
if self.name is None:
18+
return 'No one to say hello to'
19+
else:
20+
return f'Hello to {self.name}'
2221

2322
def everyone(self):
2423
return 'hello to everyone'
@@ -34,15 +33,12 @@ def __init__(self, name):
3433

3534
def to(self, name=None):
3635
if name is None:
37-
if self.name is None:
38-
return 'No one to say bye to'
39-
else:
40-
return f'Bye to {self.name}'
36+
return 'No one to say bye to' if self.name is None else f'Bye to {self.name}'
4137
else:
4238
return f'Bye {name}'
4339

4440
def no_one(self):
45-
return f'Bye to no one'
41+
return 'Bye to no one'
4642

4743

4844
class Sayer:

source-code/config-parser/config_reader.py

+1-4
Original file line numberDiff line numberDiff line change
@@ -5,10 +5,7 @@
55

66

77
def main():
8-
if len(sys.argv) > 1:
9-
cfg_file = sys.argv[1]
10-
else:
11-
cfg_file = 'defaults.conf'
8+
cfg_file = sys.argv[1] if len(sys.argv) > 1 else 'defaults.conf'
129
cfg_parser = SafeConfigParser()
1310
cfg_parser.read(cfg_file)
1411
print('Sections:')

source-code/data-formats/Vcd/vcd_parser.py

+5-8
Original file line numberDiff line numberDiff line change
@@ -15,7 +15,7 @@ def parse_config_line(meta_data, line):
1515
meta_data[symbol] = demangle_name(name)
1616

1717
def parse_config(vcd_file):
18-
meta_data = dict()
18+
meta_data = {}
1919
for line in vcd_file:
2020
line = line.strip()
2121
if line == '$end':
@@ -37,16 +37,15 @@ def update_buffer(buffer, line, meta_data):
3737
buffer[key] = value
3838

3939
def init_data(meta_data):
40-
data = dict()
41-
data['time'] = list()
40+
data = {'time': []}
4241
for var in meta_data:
43-
data[meta_data[var]] = list()
42+
data[meta_data[var]] = []
4443
return data
4544

4645
def parse_data(vcd_file, meta_data):
4746
data = init_data(meta_data)
4847
time_stamp = None
49-
buffer = dict()
48+
buffer = {}
5049
for line in vcd_file:
5150
line = line.strip()
5251
if line.startswith('#'):
@@ -68,9 +67,7 @@ def write_vcd_data_structure(out_file, data, sep=' '):
6867
columns = list(data.keys())
6968
out_file.write(sep.join(columns) + '\n')
7069
for time_step in range(len(data['time'])):
71-
data_line = list()
72-
for var in columns:
73-
data_line.append(data[var][time_step])
70+
data_line = [data[var][time_step] for var in columns]
7471
out_file.write(sep.join(str(data_item) for data_item in data_line))
7572
out_file.write('\n')
7673

source-code/data-formats/agt_parser.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -106,7 +106,7 @@ def _parse_data(self, agt_file):
106106
if not match:
107107
msg = "line {0:d}: invalid number of measurements '{1}'"
108108
raise AgtDataError(msg.format(self._current_line, nr_lines_str))
109-
nr_lines = int(match.group(1))
109+
nr_lines = int(match[1])
110110
self._current_line += 1
111111
# ignore header line
112112
agt_file.readline()

source-code/data-formats/data_generator.py

+6-7
Original file line numberDiff line numberDiff line change
@@ -47,11 +47,10 @@ def __iter__(self):
4747
return self
4848

4949
def __next__(self):
50-
if self._current < self.n:
51-
self._current += 1
52-
return self._distr(*self._params)
53-
else:
50+
if self._current >= self.n:
5451
raise StopIteration()
52+
self._current += 1
53+
return self._distr(*self._params)
5554

5655

5756
class DistributionCreator(object):
@@ -108,9 +107,9 @@ def __init__(self, file_name, table_name, col_defs):
108107
self._row = self._table.row
109108

110109
def _create_table(self, table_name, col_defs):
111-
description = {}
112-
for col_def in col_defs:
113-
description[col_def['name']] = self._typemap[col_def['type']]
110+
description = {
111+
col_def['name']: self._typemap[col_def['type']] for col_def in col_defs
112+
}
114113
return self._file.create_table('/', table_name, description)
115114

116115
def set_headers(self, headers):

source-code/data-formats/read_csv.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -21,7 +21,7 @@ def main():
2121
print('{name} --- {weight}'.format(name=row['name'],
2222
weight=row['weight']))
2323
sum += float(row['weight'])
24-
print('sum = {}'.format(sum))
24+
print(f'sum = {sum}')
2525

2626
if __name__ == '__main__':
2727
main()

source-code/data-formats/read_variable_length_array.py

+1-3
Original file line numberDiff line numberDiff line change
@@ -13,10 +13,8 @@ def read_array(data_file, length):
1313
arg_parser.add_argument('file', help='binary file to read')
1414
options = arg_parser.parse_args()
1515
with open(options.file, 'rb') as data_file:
16-
buffer = data_file.read(4);
17-
while buffer:
16+
while buffer := data_file.read(4):
1817
length = unpack('I', buffer)[0]
1918
values = read_array(data_file, length)
2019
value_str = ' '.join(f'{x:.2f}' for x in values)
2120
print(f'{length:d}: {value_str:s}')
22-
buffer = data_file.read(4)

source-code/data-formats/read_xml.py

+1-2
Original file line numberDiff line numberDiff line change
@@ -62,8 +62,7 @@ def startElement(self, name, attrs):
6262

6363
def characters(self, contents):
6464
if self.in_item:
65-
contents = contents.strip()
66-
if contents:
65+
if contents := contents.strip():
6766
data = float(contents.strip())
6867
logging.info(f"found '{data}'")
6968
self._stack[-1].add_data(data)

0 commit comments

Comments
 (0)