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
|
# pragma: no cover
"""
Implement basic assertions to be used in assertion action
"""
from __future__ import annotations
def eq(value, other):
"""Equal"""
return value == other
def ne(value, other):
"""Not equal"""
return value != other
def gt(value, other):
"""Greater than"""
return value > other
def lt(value, other):
"""Lower than"""
return value < other
def gte(value, other):
"""Greater than or equal"""
return value >= other
def lte(value, other):
"""Lower than or equal"""
return value <= other
def identity(value, other):
"""Identity check using ID"""
return value is other
def is_type_of(value, other):
"""Type check"""
return isinstance(value, other)
def is_in(value, other):
"""Existence"""
return value in other
def is_not_in(value, other):
"""Inexistence"""
return value not in other
def cont(value, other):
"""Contains"""
return other in value
def len_eq(value, other):
"""Length Equal"""
return len(value) == other
def len_ne(value, other):
"""Length Not equal"""
return len(value) != other
def len_min(value, other):
"""Minimum length"""
return len(value) >= other
def len_max(value, other):
"""Maximum length"""
return len(value) <= other
def startswith(value, term):
"""returns value.startswith(term) result"""
return value.startswith(term)
def endswith(value, term):
"""returns value.endswith(term) result"""
return value.endswith(term)
|