Skip to content

Commit 79ae814

Browse files
authored
Merge pull request #186 from sentinel-hub/develop
Version 0.7.1
2 parents d5bbeab + c0ea87b commit 79ae814

File tree

12 files changed

+68
-35
lines changed

12 files changed

+68
-35
lines changed

CHANGELOG.md

+9
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,9 @@
1+
## [Unreleased]
2+
3+
## [Version 0.7.1] - 2019-02-05
4+
### Fixed
5+
- `eolearn.io.SentinelHubInputTask`: evalscript version was not passed to the sentinel-hub service.
6+
- `eolearn.core.EOWorkflow`: fixed generating task dependencies.
7+
### Added
8+
- Processing API docs generation.
9+
- Introduced CHANGELOG.md.

core/eolearn/core/__init__.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -18,4 +18,4 @@
1818
from .utilities import deep_eq, negate_mask, constant_pad, get_common_timestamps, bgr_to_rgb, FeatureParser
1919

2020

21-
__version__ = '0.7.0'
21+
__version__ = '0.7.1'

core/eolearn/core/eoexecution.py

+2-2
Original file line numberDiff line numberDiff line change
@@ -171,13 +171,13 @@ def _try_add_logging(cls, log_path):
171171
def _try_remove_logging(cls, log_path, logger, handler, stats):
172172
if log_path:
173173
try:
174-
logger.info(msg='Pipeline failed.' if cls.STATS_ERROR in stats else 'Pipeline finished.')
174+
message = 'EOWorkflow execution {}'.format('failed' if cls.STATS_ERROR in stats else 'finished')
175+
logger.debug(message)
175176
handler.close()
176177
logger.removeHandler(handler)
177178
except BaseException:
178179
pass
179180

180-
181181
@classmethod
182182
def _execute_workflow(cls, process_args):
183183
""" Handles a single execution of a workflow

core/eolearn/core/eoworkflow.py

+21-5
Original file line numberDiff line numberDiff line change
@@ -268,14 +268,23 @@ def get_tasks(self):
268268
""" Returns an ordered dictionary {task_name: task} of all tasks within this workflow
269269
270270
:return: Ordered dictionary with key being task_name (str) and an instance of a corresponding task from this
271-
workflow
271+
workflow. The order of tasks is the same as in which they will be executed.
272272
:rtype: OrderedDict
273273
"""
274-
tasks = collections.OrderedDict()
274+
task_dict = collections.OrderedDict()
275275
for dep in self.ordered_dependencies:
276-
tasks[dep.name] = dep.task
276+
task_name = dep.name
277277

278-
return tasks
278+
if task_name in task_dict:
279+
count = 0
280+
while dep.get_custom_name(count) in task_dict:
281+
count += 1
282+
283+
task_name = dep.get_custom_name(count)
284+
285+
task_dict[task_name] = dep.task
286+
287+
return task_dict
279288

280289
def get_dot(self):
281290
""" Generates the DOT description of the underlying computational graph
@@ -327,7 +336,7 @@ def __init__(self, *tasks, **kwargs):
327336
tasks = [self._parse_task(task) for task in tasks]
328337
tasks = self._make_tasks_unique(tasks)
329338

330-
dependencies = [(task, [tasks[idx - 1][0]] if idx > 0 else []) for idx, (task, name) in enumerate(tasks)]
339+
dependencies = [(task, [tasks[idx - 1][0]] if idx > 0 else [], name) for idx, (task, name) in enumerate(tasks)]
331340
super().__init__(dependencies, **kwargs)
332341

333342
@staticmethod
@@ -396,6 +405,13 @@ def set_name(self, name):
396405
"""
397406
self.name = name
398407

408+
def get_custom_name(self, number=0):
409+
""" Provides custom task name according to given number. E.g. FooTask -> FooTask
410+
"""
411+
if number:
412+
return '{}_{}'.format(self.name, number)
413+
return self.name
414+
399415

400416
class WorkflowResults(collections.Mapping):
401417
""" The result of a workflow is an (immutable) dictionary mapping [1] from EOTasks to results of the workflow.

core/eolearn/tests/test_eoworkflow.py

+16-16
Original file line numberDiff line numberDiff line change
@@ -108,48 +108,48 @@ def test_workflow_arguments(self):
108108

109109
def test_linear_workflow(self):
110110
in_task = InputTask()
111+
in_task_name = 'My input task'
111112
inc_task = Inc()
112113
pow_task = Pow()
113-
eow = LinearWorkflow((in_task, 'task name'), inc_task, inc_task, pow_task)
114+
eow = LinearWorkflow((in_task, in_task_name), inc_task, inc_task, pow_task)
114115
res = eow.execute({
115116
in_task: {'val': 2},
116117
inc_task: {'d': 2}, # Note that this will assign value only to one instance of Inc task
117118
pow_task: {'n': 3}
118119
})
119120
self.assertEqual(res[pow_task], (2 + 2 + 1) ** 3)
120121

122+
task_map = eow.get_tasks()
123+
self.assertTrue(in_task_name in task_map, "A task with name '{}' should be amongst tasks".format(in_task_name))
124+
self.assertEqual(task_map[in_task_name], in_task,
125+
"A task with name '{}' should map into {}".format(in_task_name, in_task))
126+
121127
def test_get_tasks(self):
122128
in_task = InputTask()
123129
inc_task = Inc()
124-
pow_task = Pow()
125130

126-
task_names = ['InputTask', 'Inc', 'Pow']
127-
workflow_tasks = [in_task, inc_task, pow_task]
128-
eow = LinearWorkflow(*workflow_tasks)
131+
task_names = ['InputTask', 'Inc', 'Inc_1', 'Inc_2']
132+
eow = LinearWorkflow(in_task, inc_task, inc_task, inc_task)
129133

130134
returned_tasks = eow.get_tasks()
131135

132136
# check if tasks are present
133-
for task_name in task_names:
134-
self.assertIn(task_name, returned_tasks.keys())
137+
self.assertEqual(sorted(task_names), sorted(returned_tasks))
135138

136139
# check if tasks still work
137140
arguments_dict = {
138141
in_task: {'val': 2},
139-
inc_task: {'d': 2},
140-
pow_task: {'n': 3}
142+
inc_task: {'d': 2}
141143
}
142144

143145
res_workflow = eow.execute(arguments_dict)
144-
res_workflow_value = [res_workflow[key] for key in res_workflow.keys()][0]
146+
res_workflow_value = list(res_workflow.values())
145147

146-
for idx, task in enumerate(workflow_tasks):
147-
if idx == 0:
148-
res_tasks_value = task.execute(**arguments_dict[task])
149-
else:
150-
res_tasks_value = task.execute(res_tasks_value, **arguments_dict[task])
148+
res_tasks_values = []
149+
for idx, task in enumerate(returned_tasks.values()):
150+
res_tasks_values = [task.execute(*res_tasks_values, **arguments_dict.get(task, {}))]
151151

152-
self.assertEqual(res_workflow_value, res_tasks_value)
152+
self.assertEqual(res_workflow_value, res_tasks_values)
153153

154154
def test_trivial_workflow(self):
155155
task = DummyTask()
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,7 @@
1+
eolearn.io.processing\_api
2+
===============================
3+
4+
.. automodule:: eolearn.io.processing_api
5+
:members:
6+
:undoc-members:
7+
:show-inheritance:

docs/source/eolearn.io.rst

+1
Original file line numberDiff line numberDiff line change
@@ -13,3 +13,4 @@ Submodules:
1313
eolearn.io.geopedia
1414
eolearn.io.local_io
1515
eolearn.io.sentinelhub_service
16+
eolearn.io.processing_api

io/eolearn/io/__init__.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -9,4 +9,4 @@
99
from .local_io import ExportToTiff, ImportFromTiff
1010
from .processing_api import SentinelHubInputTask, SentinelHubDemTask
1111

12-
__version__ = '0.7.0'
12+
__version__ = '0.7.1'

io/eolearn/io/processing_api.py

+4
Original file line numberDiff line numberDiff line change
@@ -206,6 +206,8 @@ def generate_evalscript(self):
206206
""" Generate the evalscript to be passed with the request, based on chosen bands
207207
"""
208208
evalscript = """
209+
//VERSION=3
210+
209211
function setup() {{
210212
return {{
211213
input: [{{
@@ -363,6 +365,8 @@ def _build_payloads(self, bbox, size_x, size_y, timestamp, time_interval):
363365
""" Build payloads for the requests to the service
364366
"""
365367
evalscript = """
368+
//VERSION=3
369+
366370
function setup() {
367371
return {
368372
input: ["DEM"],

setup.py

+4-4
Original file line numberDiff line numberDiff line change
@@ -22,7 +22,7 @@ def parse_requirements(file):
2222
setup(
2323
name='eo-learn',
2424
python_requires='>=3.5',
25-
version='0.7.0',
25+
version='0.7.1',
2626
description='Earth observation processing framework for machine learning in Python',
2727
long_description=get_long_description(),
2828
long_description_content_type='text/markdown',
@@ -33,14 +33,14 @@ def parse_requirements(file):
3333
packages=[],
3434
include_package_data=True,
3535
install_requires=[
36-
'eo-learn-core>=0.7.0',
36+
'eo-learn-core>=0.7.1',
3737
'eo-learn-coregistration>=0.7.0',
3838
'eo-learn-features>=0.7.0',
3939
'eo-learn-geometry>=0.7.0',
40-
'eo-learn-io>=0.7.0',
40+
'eo-learn-io>=0.7.1',
4141
'eo-learn-mask>=0.7.0',
4242
'eo-learn-ml-tools>=0.7.0',
43-
'eo-learn-visualization>=0.7.0'
43+
'eo-learn-visualization>=0.7.1'
4444
],
4545
extras_require={
4646
'DEV': parse_requirements('requirements-dev.txt')

visualization/eolearn/visualization/__init__.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -10,4 +10,4 @@
1010
except ImportError:
1111
pass
1212

13-
__version__ = '0.7.0'
13+
__version__ = '0.7.1'

visualization/eolearn/visualization/eoworkflow_visualization.py

+1-5
Original file line numberDiff line numberDiff line change
@@ -73,11 +73,7 @@ def _get_dep_to_dot_name_mapping(dependencies):
7373

7474
dep_to_dot_name = {}
7575
for dot_name, deps in dot_name_to_deps.items():
76-
if len(deps) == 1:
77-
dep_to_dot_name[deps[0]] = dot_name
78-
continue
79-
8076
for idx, dep in enumerate(deps):
81-
dep_to_dot_name[dep] = dot_name + str(idx)
77+
dep_to_dot_name[dep] = dep.get_custom_name(idx)
8278

8379
return dep_to_dot_name

0 commit comments

Comments
 (0)