robotframework-pabot 5.1.0__py3-none-any.whl → 5.2.0b1__py3-none-any.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -452,20 +452,28 @@ class StandardStreamInterceptor(object):
452
452
  self.output = ""
453
453
  self.origout = sys.stdout
454
454
  self.origerr = sys.stderr
455
- sys.stdout = StringIO()
456
- sys.stderr = StringIO()
455
+ self.stdout_capture = StringIO()
456
+ self.stderr_capture = StringIO()
457
+ sys.stdout = self.stdout_capture
458
+ sys.stderr = self.stderr_capture
457
459
 
458
460
  def __enter__(self):
459
461
  return self
460
462
 
461
463
  def __exit__(self, *exc_info):
462
- stdout = sys.stdout.getvalue()
463
- stderr = sys.stderr.getvalue()
464
- close = [sys.stdout, sys.stderr]
464
+ # Safely get output from captured streams, handling case where streams were restored
465
+ stdout = self._safe_getvalue(sys.stdout, self.stdout_capture)
466
+ stderr = self._safe_getvalue(sys.stderr, self.stderr_capture)
467
+
468
+ # Close only our StringIO objects
469
+ for stream in [self.stdout_capture, self.stderr_capture]:
470
+ if hasattr(stream, 'close'):
471
+ stream.close()
472
+
473
+ # Restore original streams
465
474
  sys.stdout = self.origout
466
475
  sys.stderr = self.origerr
467
- for stream in close:
468
- stream.close()
476
+
469
477
  if stdout and stderr:
470
478
  if not stderr.startswith(
471
479
  ("*TRACE*", "*DEBUG*", "*INFO*", "*HTML*", "*WARN*", "*ERROR*")
@@ -474,6 +482,18 @@ class StandardStreamInterceptor(object):
474
482
  if not stdout.endswith("\n"):
475
483
  stdout += "\n"
476
484
  self.output = stdout + stderr
485
+
486
+ def _safe_getvalue(self, current_stream, original_capture):
487
+ """Safely get value from stream, handling case where stream was restored."""
488
+ # If current stream is still our StringIO, get value from it
489
+ if hasattr(current_stream, 'getvalue') and current_stream is original_capture:
490
+ return current_stream.getvalue()
491
+ # If current stream was restored but our capture still has data
492
+ print("*WARN* Stream capture was interrupted", file=sys.stderr)
493
+ if hasattr(original_capture, 'getvalue'):
494
+ return original_capture.getvalue()
495
+ else:
496
+ return ""
477
497
 
478
498
 
479
499
  class KeywordResult(object):
pabot/skip_listener.py ADDED
@@ -0,0 +1,7 @@
1
+ ROBOT_LISTENER_API_VERSION = 3
2
+
3
+ def end_test(data, result):
4
+ # data: TestCase object
5
+ # result: TestCaseResult object
6
+ result.status = 'SKIP'
7
+ result.message = "Pabot skip logic: this test was skipped due to dependencies and failure policy."
@@ -0,0 +1,5 @@
1
+ ROBOT_LISTENER_API_VERSION = 3
2
+
3
+ def end_test(data, result):
4
+ result.status = 'FAIL'
5
+ result.message = "Pabot's --processtimeout option has been reached."
pabot/writer.py ADDED
@@ -0,0 +1,110 @@
1
+ import threading
2
+ import queue
3
+ import sys
4
+ import os
5
+ import time
6
+
7
+ class Color:
8
+ RED = "\033[91m"
9
+ GREEN = "\033[92m"
10
+ YELLOW = "\033[93m"
11
+ ENDC = "\033[0m"
12
+ SUPPORTED_OSES = {"posix"} # Only Unix terminals support ANSI colors
13
+
14
+
15
+ class MessageWriter:
16
+ def __init__(self, log_file=None):
17
+ self.queue = queue.Queue()
18
+ self.log_file = log_file
19
+ if log_file:
20
+ os.makedirs(os.path.dirname(log_file), exist_ok=True)
21
+ self._stop_event = threading.Event()
22
+ self.thread = threading.Thread(target=self._writer)
23
+ self.thread.daemon = True
24
+ self.thread.start()
25
+
26
+ def _is_output_coloring_supported(self):
27
+ return sys.stdout.isatty() and os.name in Color.SUPPORTED_OSES
28
+
29
+ def _wrap_with(self, color, message):
30
+ if self._is_output_coloring_supported() and color:
31
+ return f"{color}{message}{Color.ENDC}"
32
+ return message
33
+
34
+ def _writer(self):
35
+ while not self._stop_event.is_set():
36
+ try:
37
+ message, color = self.queue.get(timeout=0.1)
38
+ except queue.Empty:
39
+ continue
40
+ if message is None:
41
+ self.queue.task_done()
42
+ break
43
+ print(self._wrap_with(color, message))
44
+ sys.stdout.flush()
45
+ if self.log_file:
46
+ with open(self.log_file, "a", encoding="utf-8") as f:
47
+ f.write(message + "\n")
48
+ self.queue.task_done()
49
+
50
+ def write(self, message, color=None):
51
+ self.queue.put((f"{message}", color))
52
+
53
+ def flush(self, timeout=5):
54
+ """
55
+ Wait until all queued messages have been written.
56
+
57
+ :param timeout: Optional timeout in seconds. If None, wait indefinitely.
58
+ :return: True if queue drained before timeout (or no timeout), False if timed out.
59
+ """
60
+ start = time.time()
61
+ try:
62
+ # Loop until Queue reports no unfinished tasks
63
+ while True:
64
+ # If writer thread died, break to avoid infinite loop
65
+ if not self.thread.is_alive():
66
+ # Give one last moment for potential in-flight task_done()
67
+ time.sleep(0.01)
68
+ # If still unfinished, we can't do more
69
+ return getattr(self.queue, "unfinished_tasks", 0) == 0
70
+
71
+ unfinished = getattr(self.queue, "unfinished_tasks", None)
72
+ if unfinished is None:
73
+ # Fallback: call join once and return
74
+ try:
75
+ self.queue.join()
76
+ return True
77
+ except Exception:
78
+ return False
79
+
80
+ if unfinished == 0:
81
+ return True
82
+
83
+ if timeout is not None and (time.time() - start) > timeout:
84
+ return False
85
+
86
+ time.sleep(0.05)
87
+ except KeyboardInterrupt:
88
+ # Allow tests/cli to interrupt flushing
89
+ return False
90
+
91
+ def stop(self):
92
+ """
93
+ Gracefully stop the writer thread and flush remaining messages.
94
+ """
95
+ self.flush()
96
+ self._stop_event.set()
97
+ self.queue.put((None, None)) # sentinel to break thread loop
98
+ self.thread.join(timeout=1.0)
99
+
100
+
101
+ _writer_instance = None
102
+
103
+ def get_writer(log_dir=None):
104
+ global _writer_instance
105
+ if _writer_instance is None:
106
+ if log_dir:
107
+ os.makedirs(log_dir, exist_ok=True)
108
+ log_file = os.path.join(log_dir or ".", "pabot_manager.log")
109
+ _writer_instance = MessageWriter(log_file=log_file)
110
+ return _writer_instance
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: robotframework-pabot
3
- Version: 5.1.0
3
+ Version: 5.2.0b1
4
4
  Summary: Parallel test runner for Robot Framework
5
5
  Home-page: https://pabot.org
6
6
  Download-URL: https://pypi.python.org/pypi/robotframework-pabot
@@ -12,17 +12,14 @@ Classifier: Intended Audience :: Developers
12
12
  Classifier: Natural Language :: English
13
13
  Classifier: Programming Language :: Python :: 3
14
14
  Classifier: Topic :: Software Development :: Testing
15
- Classifier: License :: OSI Approved :: Apache Software License
16
15
  Classifier: Development Status :: 5 - Production/Stable
17
16
  Classifier: Framework :: Robot Framework
18
17
  Requires-Python: >=3.6
19
18
  Description-Content-Type: text/markdown
20
- License-File: LICENSE.txt
21
19
  Requires-Dist: robotframework>=3.2
22
20
  Requires-Dist: robotframework-stacktrace>=0.4.1
23
21
  Requires-Dist: natsort>=8.2.0
24
22
  Dynamic: download-url
25
- Dynamic: license-file
26
23
 
27
24
  # Pabot
28
25
 
@@ -47,7 +44,7 @@ A parallel executor for [Robot Framework](http://www.robotframework.org) tests.
47
44
  - [Contributing](#contributing-to-the-project)
48
45
  - [Command-line options](#command-line-options)
49
46
  - [PabotLib](#pabotlib)
50
- - [Controlling execution order](#controlling-execution-order-and-level-of-parallelism)
47
+ - [Controlling execution order, mode and level of parallelism](#controlling-execution-order-mode-and-level-of-parallelism)
51
48
  - [Programmatic use](#programmatic-use)
52
49
  - [Global variables](#global-variables)
53
50
  - [Output Files Generated by Pabot](#output-files-generated-by-pabot)
@@ -98,6 +95,12 @@ There are several ways you can help in improving this tool:
98
95
  - Report an issue or an improvement idea to the [issue tracker](https://github.com/mkorpela/pabot/issues)
99
96
  - Contribute by programming and making a pull request (easiest way is to work on an issue from the issue tracker)
100
97
 
98
+ Before contributing, please read our detailed contributing guidelines:
99
+
100
+ - [Contributing Guide](CONTRIBUTING.md)
101
+ - [Code of Conduct](CODE_OF_CONDUCT.md)
102
+ - [Security Policy](SECURITY.md)
103
+
101
104
  ## Command-line options
102
105
  <!-- NOTE:
103
106
  The sections inside these docstring markers are also used in Pabot's --help output.
@@ -114,7 +117,8 @@ pabot [--verbose|--testlevelsplit|--command .. --end-command|
114
117
  --processtimeout num|
115
118
  --shard i/n|
116
119
  --artifacts extensions|--artifactsinsubfolders|
117
- --resourcefile file|--argumentfile[num] file|--suitesfrom file|--ordering file|
120
+ --resourcefile file|--argumentfile[num] file|--suitesfrom file
121
+ --ordering <FILENAME> [static|dynamic] [skip|run_all]|
118
122
  --chunk|
119
123
  --pabotprerunmodifier modifier|
120
124
  --no-rebot|
@@ -124,7 +128,7 @@ pabot [--verbose|--testlevelsplit|--command .. --end-command|
124
128
 
125
129
  PabotLib remote server is started by default to enable locking and resource distribution between parallel test executions.
126
130
 
127
- Supports all [Robot Framework command line options](https://robotframework.org/robotframework/latest/RobotFrameworkUserGuide.html#all-command-line-options) and also following pabot options:
131
+ Supports all [Robot Framework command line options](https://robotframework.org/robotframework/latest/RobotFrameworkUserGuide.html#command-line-options) and also following pabot options:
128
132
 
129
133
  **--verbose**
130
134
  More output from the parallel execution.
@@ -202,8 +206,10 @@ Supports all [Robot Framework command line options](https://robotframework.org/r
202
206
  Optionally read suites from output.xml file. Failed suites will run first and longer running ones will be executed
203
207
  before shorter ones.
204
208
 
205
- **--ordering [FILE PATH]**
206
- Optionally give execution order from a file.
209
+ **--ordering [FILE PATH] [MODE] [FAILURE POLICY]**
210
+ Optionally give execution order from a file. See README.md section: [Controlling execution order, mode and level of parallelism](#controlling-execution-order-mode-and-level-of-parallelism)
211
+ - MODE (optional): [static (default)|dynamic]
212
+ - FAILURE POLICY (optional, only in dynamic mode): [skip|run_all (default)]
207
213
 
208
214
  **--chunk**
209
215
  Optionally chunk tests to PROCESSES number of robot runs. This can save time because all the suites will share the same
@@ -245,6 +251,9 @@ These can be helpful when you must ensure that only one of the processes uses so
245
251
 
246
252
  PabotLib Docs are located at https://pabot.org/PabotLib.html.
247
253
 
254
+ Note that PabotLib uses the XML-RPC protocol, which does not support all possible object types.
255
+ These limitations are described in the Robot Framework documentation in chapter [Supported argument and return value types](https://robotframework.org/robotframework/latest/RobotFrameworkUserGuide.html#supported-argument-and-return-value-types).
256
+
248
257
  ### PabotLib example:
249
258
 
250
259
  test.robot
@@ -290,18 +299,28 @@ pabot call using resources from valueset.dat
290
299
 
291
300
  pabot --pabotlib --resourcefile valueset.dat test.robot
292
301
 
293
- ### Controlling execution order and level of parallelism
302
+ ### Controlling execution order, mode, and level of parallelism
294
303
 
295
304
  .pabotsuitenames file contains the list of suites that will be executed.
296
- File is created during pabot execution if not already there.
297
- The file is a cache that pabot uses when re-executing same tests to speed up processing.
298
- This file can be partially manually edited but easier option is to use ```--ordering FILENAME```.
299
- First 4 rows contain information that should not be edited - pabot will edit these when something changes.
300
- After this come the suite names.
305
+ This file is created during pabot execution if it does not already exist. It acts as a cache to speed up processing when re-executing the same tests.
306
+ The file can be manually edited partially, but a simpler and more controlled approach is to use:
307
+
308
+ ```bash
309
+ --ordering <FILENAME> [static|dynamic] [skip|run_all]
310
+ ```
311
+
312
+ - **FILENAME** – path to the ordering file.
313
+ - **mode** – optional execution mode, either `static` (default) or `dynamic`.
314
+ - `static` executes suites in predefined stages.
315
+ - `dynamic` executes tests as soon as all their dependencies are satisfied, allowing more optimal parallel execution.
316
+ - **failure_policy** – determines behavior when dependencies fail. Used only in dynamic mode. Optional:
317
+ - `skip` – dependent tests are skipped if a dependency fails.
318
+ - `run_all` – all tests run regardless of failures (default).
301
319
 
302
- With ```--ordering FILENAME``` you can have a list that controls order also. The syntax is same as .pabotsuitenames file syntax but does not contain 4 hash rows that are present in .pabotsuitenames.
320
+ The ordering file syntax is similar to `.pabotsuitenames` but does not include the first 4 hash rows used by pabot. The ordering file defines the **execution order and dependencies** of suites and tests.
321
+ The actual selection of what to run must still be done using options like `--test`, `--suite`, `--include`, or `--exclude`.
303
322
 
304
- Note: The `--ordering` file is intended only for defining the execution order of suites and tests. The actual selection of what to run must still be done using options like `--test`, `--suite`, `--include`, or `--exclude`.
323
+ #### Controlling execution order
305
324
 
306
325
  There different possibilities to influence the execution:
307
326
 
@@ -313,7 +332,7 @@ There different possibilities to influence the execution:
313
332
  --suite Top Suite
314
333
  ```
315
334
 
316
- * If the base suite name is changing with robot option [```--name / -N```](https://robotframework.org/robotframework/latest/RobotFrameworkUserGuide.html#setting-the-name) you can use either the new or old full test path. For example:
335
+ * If the base suite name is changing with robot option [```--name / -N```](https://robotframework.org/robotframework/latest/RobotFrameworkUserGuide.html#setting-suite-name) you can use either the new or old full test path. For example:
317
336
 
318
337
  ```
319
338
  --test New Suite Name.Sub Suite.Test 1
@@ -323,8 +342,14 @@ OR
323
342
 
324
343
  * You can add a line with text `#WAIT` to force executor to wait until all previous suites have been executed.
325
344
  * You can group suites and tests together to same executor process by adding line `{` before the group and `}` after. Note that `#WAIT` cannot be used inside a group.
326
- * You can introduce dependencies using the word `#DEPENDS` after a test declaration. This keyword can be used several times if it is necessary to refer to several different tests. The ordering algorithm is designed to preserve the exact user-defined order as closely as possible. However, if a test's execution dependencies are not yet satisfied, the test is postponed and moved to the earliest possible stage where all its dependencies are fulfilled. Please take care that in case of circular dependencies an exception will be thrown. Note that each `#WAIT` splits suites into separate execution blocks, and it's not possible to define dependencies for suites or tests that are inside another `#WAIT` block or inside another `{}` braces.
327
- * Note: Within a group `{}`, neither execution order nor the `#DEPENDS` keyword currently works. This is due to limitations in Robot Framework, which is invoked within Pabot subprocesses. These limitations may be addressed in a future release of Robot Framework. For now, tests or suites within a group will be executed in the order Robot Framework discovers them typically in alphabetical order.
345
+ * You can introduce dependencies using the word `#DEPENDS` after a test declaration. This keyword can be used several times if it is necessary to refer to several different tests.
346
+ * The ordering algorithm is designed to preserve the exact user-defined order as closely as possible. However, if a test's execution dependencies are not yet satisfied, the test is postponed and moved to the earliest possible stage where all its dependencies are fulfilled.
347
+ * Please take care that in case of circular dependencies an exception will be thrown.
348
+ * Note that each `#WAIT` splits suites into separate execution blocks, and it's not possible to define dependencies for suites or tests that are inside another `#WAIT` block or inside another `{}` braces.
349
+ * Ordering mode effect to execution:
350
+ * **Dynamic mode** will schedule dependent tests as soon as all their dependencies are satisfied. Note that in dynamic mode `#WAIT` is ignored, but you can achieve same results with using only `#DEPENDS` keywords.
351
+ * **Static mode** preserves stage barriers and executes the next stage only after all tests in the previous stage finish.
352
+ * Note: Within a group `{}`, neither execution order nor the `#DEPENDS` keyword currently works. This is due to limitations in Robot Framework, which is invoked within Pabot subprocesses. These limitations may be addressed in a future release of Robot Framework. For now, tests or suites within a group will be executed in the order Robot Framework discovers them — typically in alphabetical order.
328
353
  * An example could be:
329
354
 
330
355
  ```
@@ -378,7 +403,7 @@ where order.txt is:
378
403
  #SLEEP 8
379
404
  ```
380
405
 
381
- prints something like this:
406
+ Possible output could be:
382
407
 
383
408
  ```
384
409
  2025-02-15 19:15:00.408321 [0] [ID:1] SLEEPING 6 SECONDS BEFORE STARTING Data 1.suite C
@@ -466,6 +491,7 @@ pabot_results/
466
491
  │ ├── robot_stdout.out
467
492
  │ ├── robot_stderr.out
468
493
  │ └── artifacts...
494
+ pabot_manager.log # Pabot's own main log. Basically same than prints in console
469
495
  ```
470
496
 
471
497
  Each `PABOTQUEUEINDEX` folder contains as default:
@@ -0,0 +1,25 @@
1
+ pabot/ProcessManager.py,sha256=w3dgtEKGhn4rj3nQ1EEQFAPeiIv6OF-KU6R3WZwQxPs,11739
2
+ pabot/SharedLibrary.py,sha256=mIipGs3ZhKYEakKprcbrMI4P_Un6qI8gE7086xpHaLY,2552
3
+ pabot/__init__.py,sha256=KuCXsD2BDgEFiQAxVRLN3SXkkyCULXtW06tTTqCEuRo,202
4
+ pabot/arguments.py,sha256=6MBXKnbDgWNdu7NnRqqd2_GNOs-u8QOxCz9wHhyfUVI,11404
5
+ pabot/clientwrapper.py,sha256=yz7battGs0exysnDeLDWJuzpb2Q-qSjitwxZMO2TlJw,231
6
+ pabot/coordinatorwrapper.py,sha256=nQQ7IowD6c246y8y9nsx0HZbt8vS2XODhPVDjm-lyi0,195
7
+ pabot/execution_items.py,sha256=zDVGW0AAeVbM-scC3Yui2TxvIPx1wYyFKHTPU2BkJkY,13329
8
+ pabot/pabot.py,sha256=hfMZdMYmeZEo3mNAVrvmuPU9vGhKpIBEVq5R8BI5ovE,87438
9
+ pabot/pabotlib.py,sha256=vHbqV7L7mIvDzXBh9UcdULrwhBHNn70EDXF_31MNFO4,22320
10
+ pabot/result_merger.py,sha256=g4mm-BhhMK57Z6j6dpvfL5El1g5onOtfV4RByNrO8g0,9744
11
+ pabot/robotremoteserver.py,sha256=BdeIni9Q4LJKVDBUlG2uJ9tiyAjrPXwU_YsPq1THWoo,23296
12
+ pabot/skip_listener.py,sha256=xv7wH-yB_nfc_AT1oZh3C0iu8hS67g5a28x8hwSrYsE,254
13
+ pabot/timeout_listener.py,sha256=twZFiJEyn9tAqI1K6JDBGaZrxRqVLFDVWvyxa6d8Lb0,160
14
+ pabot/workerwrapper.py,sha256=BdELUVDs5BmEkdNBcYTlnP22Cj0tUpZEunYQMAKyKWU,185
15
+ pabot/writer.py,sha256=_sRN_EqIhaMwPYmTkN4NzO2Mj6tggcaxgYkqJKatb_c,3639
16
+ pabot/py3/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
17
+ pabot/py3/client.py,sha256=Od9L4vZ0sozMHq_W_ITQHBBt8kAej40DG58wnxmbHGM,1434
18
+ pabot/py3/coordinator.py,sha256=kBshCzA_1QX_f0WNk42QBJyDYSwSlNM-UEBxOReOj6E,2313
19
+ pabot/py3/messages.py,sha256=7mFr4_0x1JHm5sW8TvKq28Xs_JoeIGku2bX7AyO0kng,2557
20
+ pabot/py3/worker.py,sha256=5rfp4ZiW6gf8GRz6eC0-KUkfx847A91lVtRYpLAv2sg,1612
21
+ robotframework_pabot-5.2.0b1.dist-info/METADATA,sha256=_7b2wWKxeuFlEbRCz_sHwmrWQCwp85v-rl9HX-mScyo,23811
22
+ robotframework_pabot-5.2.0b1.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
23
+ robotframework_pabot-5.2.0b1.dist-info/entry_points.txt,sha256=JpAIFADTeFOQWdwmn56KpAil8V3-41ZC5ICXCYm3Ng0,43
24
+ robotframework_pabot-5.2.0b1.dist-info/top_level.txt,sha256=t3OwfEAsSxyxrhjy_GCJYHKbV_X6AIsgeLhYeHvObG4,6
25
+ robotframework_pabot-5.2.0b1.dist-info/RECORD,,
@@ -1,22 +0,0 @@
1
- pabot/SharedLibrary.py,sha256=mIipGs3ZhKYEakKprcbrMI4P_Un6qI8gE7086xpHaLY,2552
2
- pabot/__init__.py,sha256=0g7UY0dKCwXzo3sH_STKWVLBEVtZnj96gmuak8fdlf0,200
3
- pabot/arguments.py,sha256=M1T2QAA0v2BO1bbryLC82RIA0VZZaEGfXnQiXfNcHOU,9577
4
- pabot/clientwrapper.py,sha256=yz7battGs0exysnDeLDWJuzpb2Q-qSjitwxZMO2TlJw,231
5
- pabot/coordinatorwrapper.py,sha256=nQQ7IowD6c246y8y9nsx0HZbt8vS2XODhPVDjm-lyi0,195
6
- pabot/execution_items.py,sha256=zDVGW0AAeVbM-scC3Yui2TxvIPx1wYyFKHTPU2BkJkY,13329
7
- pabot/pabot.py,sha256=wxkCGUzvibj7Jtdqhuyzo7F5k5xOPgVXICWZXbt7cn8,81246
8
- pabot/pabotlib.py,sha256=vHbqV7L7mIvDzXBh9UcdULrwhBHNn70EDXF_31MNFO4,22320
9
- pabot/result_merger.py,sha256=g4mm-BhhMK57Z6j6dpvfL5El1g5onOtfV4RByNrO8g0,9744
10
- pabot/robotremoteserver.py,sha256=L3O2QRKSGSE4ux5M1ip5XJMaelqaxQWJxd9wLLdtpzM,22272
11
- pabot/workerwrapper.py,sha256=BdELUVDs5BmEkdNBcYTlnP22Cj0tUpZEunYQMAKyKWU,185
12
- pabot/py3/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
13
- pabot/py3/client.py,sha256=Od9L4vZ0sozMHq_W_ITQHBBt8kAej40DG58wnxmbHGM,1434
14
- pabot/py3/coordinator.py,sha256=kBshCzA_1QX_f0WNk42QBJyDYSwSlNM-UEBxOReOj6E,2313
15
- pabot/py3/messages.py,sha256=7mFr4_0x1JHm5sW8TvKq28Xs_JoeIGku2bX7AyO0kng,2557
16
- pabot/py3/worker.py,sha256=5rfp4ZiW6gf8GRz6eC0-KUkfx847A91lVtRYpLAv2sg,1612
17
- robotframework_pabot-5.1.0.dist-info/licenses/LICENSE.txt,sha256=WNHhf_5RCaeuKWyq_K39vmp9F28LxKsB4SpomwSZ2L0,11357
18
- robotframework_pabot-5.1.0.dist-info/METADATA,sha256=-3nvXfoJrNCoqf6XVZccsiGhqiU8quQWI3cGk_RV0hY,22070
19
- robotframework_pabot-5.1.0.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
20
- robotframework_pabot-5.1.0.dist-info/entry_points.txt,sha256=JpAIFADTeFOQWdwmn56KpAil8V3-41ZC5ICXCYm3Ng0,43
21
- robotframework_pabot-5.1.0.dist-info/top_level.txt,sha256=t3OwfEAsSxyxrhjy_GCJYHKbV_X6AIsgeLhYeHvObG4,6
22
- robotframework_pabot-5.1.0.dist-info/RECORD,,
@@ -1,202 +0,0 @@
1
-
2
- Apache License
3
- Version 2.0, January 2004
4
- http://www.apache.org/licenses/
5
-
6
- TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
7
-
8
- 1. Definitions.
9
-
10
- "License" shall mean the terms and conditions for use, reproduction,
11
- and distribution as defined by Sections 1 through 9 of this document.
12
-
13
- "Licensor" shall mean the copyright owner or entity authorized by
14
- the copyright owner that is granting the License.
15
-
16
- "Legal Entity" shall mean the union of the acting entity and all
17
- other entities that control, are controlled by, or are under common
18
- control with that entity. For the purposes of this definition,
19
- "control" means (i) the power, direct or indirect, to cause the
20
- direction or management of such entity, whether by contract or
21
- otherwise, or (ii) ownership of fifty percent (50%) or more of the
22
- outstanding shares, or (iii) beneficial ownership of such entity.
23
-
24
- "You" (or "Your") shall mean an individual or Legal Entity
25
- exercising permissions granted by this License.
26
-
27
- "Source" form shall mean the preferred form for making modifications,
28
- including but not limited to software source code, documentation
29
- source, and configuration files.
30
-
31
- "Object" form shall mean any form resulting from mechanical
32
- transformation or translation of a Source form, including but
33
- not limited to compiled object code, generated documentation,
34
- and conversions to other media types.
35
-
36
- "Work" shall mean the work of authorship, whether in Source or
37
- Object form, made available under the License, as indicated by a
38
- copyright notice that is included in or attached to the work
39
- (an example is provided in the Appendix below).
40
-
41
- "Derivative Works" shall mean any work, whether in Source or Object
42
- form, that is based on (or derived from) the Work and for which the
43
- editorial revisions, annotations, elaborations, or other modifications
44
- represent, as a whole, an original work of authorship. For the purposes
45
- of this License, Derivative Works shall not include works that remain
46
- separable from, or merely link (or bind by name) to the interfaces of,
47
- the Work and Derivative Works thereof.
48
-
49
- "Contribution" shall mean any work of authorship, including
50
- the original version of the Work and any modifications or additions
51
- to that Work or Derivative Works thereof, that is intentionally
52
- submitted to Licensor for inclusion in the Work by the copyright owner
53
- or by an individual or Legal Entity authorized to submit on behalf of
54
- the copyright owner. For the purposes of this definition, "submitted"
55
- means any form of electronic, verbal, or written communication sent
56
- to the Licensor or its representatives, including but not limited to
57
- communication on electronic mailing lists, source code control systems,
58
- and issue tracking systems that are managed by, or on behalf of, the
59
- Licensor for the purpose of discussing and improving the Work, but
60
- excluding communication that is conspicuously marked or otherwise
61
- designated in writing by the copyright owner as "Not a Contribution."
62
-
63
- "Contributor" shall mean Licensor and any individual or Legal Entity
64
- on behalf of whom a Contribution has been received by Licensor and
65
- subsequently incorporated within the Work.
66
-
67
- 2. Grant of Copyright License. Subject to the terms and conditions of
68
- this License, each Contributor hereby grants to You a perpetual,
69
- worldwide, non-exclusive, no-charge, royalty-free, irrevocable
70
- copyright license to reproduce, prepare Derivative Works of,
71
- publicly display, publicly perform, sublicense, and distribute the
72
- Work and such Derivative Works in Source or Object form.
73
-
74
- 3. Grant of Patent License. Subject to the terms and conditions of
75
- this License, each Contributor hereby grants to You a perpetual,
76
- worldwide, non-exclusive, no-charge, royalty-free, irrevocable
77
- (except as stated in this section) patent license to make, have made,
78
- use, offer to sell, sell, import, and otherwise transfer the Work,
79
- where such license applies only to those patent claims licensable
80
- by such Contributor that are necessarily infringed by their
81
- Contribution(s) alone or by combination of their Contribution(s)
82
- with the Work to which such Contribution(s) was submitted. If You
83
- institute patent litigation against any entity (including a
84
- cross-claim or counterclaim in a lawsuit) alleging that the Work
85
- or a Contribution incorporated within the Work constitutes direct
86
- or contributory patent infringement, then any patent licenses
87
- granted to You under this License for that Work shall terminate
88
- as of the date such litigation is filed.
89
-
90
- 4. Redistribution. You may reproduce and distribute copies of the
91
- Work or Derivative Works thereof in any medium, with or without
92
- modifications, and in Source or Object form, provided that You
93
- meet the following conditions:
94
-
95
- (a) You must give any other recipients of the Work or
96
- Derivative Works a copy of this License; and
97
-
98
- (b) You must cause any modified files to carry prominent notices
99
- stating that You changed the files; and
100
-
101
- (c) You must retain, in the Source form of any Derivative Works
102
- that You distribute, all copyright, patent, trademark, and
103
- attribution notices from the Source form of the Work,
104
- excluding those notices that do not pertain to any part of
105
- the Derivative Works; and
106
-
107
- (d) If the Work includes a "NOTICE" text file as part of its
108
- distribution, then any Derivative Works that You distribute must
109
- include a readable copy of the attribution notices contained
110
- within such NOTICE file, excluding those notices that do not
111
- pertain to any part of the Derivative Works, in at least one
112
- of the following places: within a NOTICE text file distributed
113
- as part of the Derivative Works; within the Source form or
114
- documentation, if provided along with the Derivative Works; or,
115
- within a display generated by the Derivative Works, if and
116
- wherever such third-party notices normally appear. The contents
117
- of the NOTICE file are for informational purposes only and
118
- do not modify the License. You may add Your own attribution
119
- notices within Derivative Works that You distribute, alongside
120
- or as an addendum to the NOTICE text from the Work, provided
121
- that such additional attribution notices cannot be construed
122
- as modifying the License.
123
-
124
- You may add Your own copyright statement to Your modifications and
125
- may provide additional or different license terms and conditions
126
- for use, reproduction, or distribution of Your modifications, or
127
- for any such Derivative Works as a whole, provided Your use,
128
- reproduction, and distribution of the Work otherwise complies with
129
- the conditions stated in this License.
130
-
131
- 5. Submission of Contributions. Unless You explicitly state otherwise,
132
- any Contribution intentionally submitted for inclusion in the Work
133
- by You to the Licensor shall be under the terms and conditions of
134
- this License, without any additional terms or conditions.
135
- Notwithstanding the above, nothing herein shall supersede or modify
136
- the terms of any separate license agreement you may have executed
137
- with Licensor regarding such Contributions.
138
-
139
- 6. Trademarks. This License does not grant permission to use the trade
140
- names, trademarks, service marks, or product names of the Licensor,
141
- except as required for reasonable and customary use in describing the
142
- origin of the Work and reproducing the content of the NOTICE file.
143
-
144
- 7. Disclaimer of Warranty. Unless required by applicable law or
145
- agreed to in writing, Licensor provides the Work (and each
146
- Contributor provides its Contributions) on an "AS IS" BASIS,
147
- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
148
- implied, including, without limitation, any warranties or conditions
149
- of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A
150
- PARTICULAR PURPOSE. You are solely responsible for determining the
151
- appropriateness of using or redistributing the Work and assume any
152
- risks associated with Your exercise of permissions under this License.
153
-
154
- 8. Limitation of Liability. In no event and under no legal theory,
155
- whether in tort (including negligence), contract, or otherwise,
156
- unless required by applicable law (such as deliberate and grossly
157
- negligent acts) or agreed to in writing, shall any Contributor be
158
- liable to You for damages, including any direct, indirect, special,
159
- incidental, or consequential damages of any character arising as a
160
- result of this License or out of the use or inability to use the
161
- Work (including but not limited to damages for loss of goodwill,
162
- work stoppage, computer failure or malfunction, or any and all
163
- other commercial damages or losses), even if such Contributor
164
- has been advised of the possibility of such damages.
165
-
166
- 9. Accepting Warranty or Additional Liability. While redistributing
167
- the Work or Derivative Works thereof, You may choose to offer,
168
- and charge a fee for, acceptance of support, warranty, indemnity,
169
- or other liability obligations and/or rights consistent with this
170
- License. However, in accepting such obligations, You may act only
171
- on Your own behalf and on Your sole responsibility, not on behalf
172
- of any other Contributor, and only if You agree to indemnify,
173
- defend, and hold each Contributor harmless for any liability
174
- incurred by, or claims asserted against, such Contributor by reason
175
- of your accepting any such warranty or additional liability.
176
-
177
- END OF TERMS AND CONDITIONS
178
-
179
- APPENDIX: How to apply the Apache License to your work.
180
-
181
- To apply the Apache License to your work, attach the following
182
- boilerplate notice, with the fields enclosed by brackets "[]"
183
- replaced with your own identifying information. (Don't include
184
- the brackets!) The text should be enclosed in the appropriate
185
- comment syntax for the file format. We also recommend that a
186
- file or class name and description of purpose be included on the
187
- same "printed page" as the copyright notice for easier
188
- identification within third-party archives.
189
-
190
- Copyright [yyyy] [name of copyright owner]
191
-
192
- Licensed under the Apache License, Version 2.0 (the "License");
193
- you may not use this file except in compliance with the License.
194
- You may obtain a copy of the License at
195
-
196
- http://www.apache.org/licenses/LICENSE-2.0
197
-
198
- Unless required by applicable law or agreed to in writing, software
199
- distributed under the License is distributed on an "AS IS" BASIS,
200
- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
201
- See the License for the specific language governing permissions and
202
- limitations under the License.