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 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146
|
"""
SIEVE commands representation
This module contains classes that represent known commands. They all
inherit from the Command class which provides generic method for
command manipulation or parsing.
There are three command types (each one represented by a class):
* control (ControlCommand) : Control structures are needed to allow
for multiple and conditional actions
* action (ActionCommand) : Actions that can be applied on emails
* test (TestCommand) : Tests are used in conditionals to decide which
part(s) of the conditional to execute
Finally, each known command is represented by its own class which
provides extra information such as:
* expected arguments,
* completion callback,
* etc.
"""
from collections.abc import Iterable
import sys
from typing import Any, Dict, Iterator, List, Optional, TypedDict, Union
from typing_extensions import NotRequired
from . import tools
class CommandError(Exception):
"""Base command exception class."""
class UnknownCommand(CommandError):
"""Specific exception raised when an unknown command is encountered"""
def __init__(self, name: str):
self.name = name
def __str__(self):
return "unknown command '%s'" % self.name
class BadArgument(CommandError):
"""Specific exception raised when a bad argument is encountered"""
def __init__(self, command, seen, expected):
self.command = command
self.seen = seen
self.expected = expected
def __str__(self):
return "bad argument %s for command %s (%s expected)" % (
self.seen,
self.command,
self.expected,
)
class BadValue(CommandError):
"""Specific exception raised when a bad argument value is encountered"""
def __init__(self, argument, value):
self.argument = argument
self.value = value
def __str__(self):
return "bad value %s for argument %s" % (self.value, self.argument)
class ExtensionNotLoaded(CommandError):
"""Raised when an extension is not loaded."""
def __init__(self, name):
self.name = name
def __str__(self):
return "extension '{}' not loaded".format(self.name)
class CommandExtraArg(TypedDict):
"""Type definition for command extra argument."""
type: Union[str, List[str]]
values: NotRequired[List[str]]
valid_for: NotRequired[List[str]]
class CommandArg(TypedDict):
"""Type definition for command argument."""
name: str
type: List[str]
required: NotRequired[bool]
values: NotRequired[List[str]]
extra_arg: NotRequired[CommandExtraArg]
extension: NotRequired[str]
extension_values: NotRequired[Dict[str, str]]
# Statement elements (see RFC, section 8.3)
# They are used in different commands.
comparator: CommandArg = {
"name": "comparator",
"type": ["tag"],
"values": [":comparator"],
"extra_arg": {"type": "string", "values": ['"i;octet"', '"i;ascii-casemap"']},
"required": False,
}
address_part: CommandArg = {
"name": "address-part",
"values": [":localpart", ":domain", ":all"],
"type": ["tag"],
"required": False,
}
match_type: CommandArg = {
"name": "match-type",
"values": [":is", ":contains", ":matches"],
"extension_values": {
":count": "relational",
":value": "relational",
":regex": "regex",
},
"extra_arg": {
"type": "string",
"values": ['"gt"', '"ge"', '"lt"', '"le"', '"eq"', '"ne"'],
"valid_for": [":count", ":value"],
},
"type": ["tag"],
"required": False,
}
class Command:
"""Generic command representation.
A command is described as follow:
* A name
* A type
* A description of supported arguments
* Does it accept an unknown quantity of arguments? (ex: anyof, allof)
* Does it accept children? (ie. subcommands)
* Is it an extension?
* Must follow only certain commands
"""
args_definition: List[CommandArg]
_type: str
variable_args_nb: bool = False
non_deterministic_args: bool = False
accept_children: bool = False
must_follow: Optional[List[str]] = None
extension: Optional[str] = None
def __init__(self, parent: Optional["Command"] = None):
self.parent = parent
self.arguments: Dict[str, Any] = {}
self.extra_arguments: Dict[str, Any] = {} # to store tag arguments
self.children: List[Command] = []
self.nextargpos = 0
self.required_args = -1
self.rargs_cnt = 0
self.curarg: Union[CommandArg, None] = (
None # for arguments that expect an argument :p (ex: :comparator)
)
self.name: str = self.__class__.__name__.replace("Command", "")
self.name = self.name.lower()
self.hash_comments: List[bytes] = []
def __repr__(self):
return "%s (type: %s)" % (self.name, self._type)
def tosieve(self, indentlevel: int = 0, target=sys.stdout):
"""Generate the sieve syntax corresponding to this command
Recursive method.
:param indentlevel: current indentation level
:param target: opened file pointer where the content will be printed
"""
self.__print(self.name, indentlevel, nocr=True, target=target)
if self.has_arguments():
for arg in self.args_definition:
if not arg["name"] in self.arguments:
continue
target.write(" ")
value = self.arguments[arg["name"]]
atype = arg["type"]
if "tag" in atype:
target.write(value)
if arg["name"] in self.extra_arguments:
value = self.extra_arguments[arg["name"]]
atype = arg["extra_arg"]["type"]
target.write(" ")
else:
continue
if type(value) == list:
if self.__get_arg_type(arg["name"]) == ["testlist"]:
target.write("(")
for t in value:
t.tosieve(target=target)
if value.index(t) != len(value) - 1:
target.write(", ")
target.write(")")
else:
target.write(
"[{}]".format(
", ".join(['"%s"' % v.strip('"') for v in value])
)
)
continue
if isinstance(value, Command):
value.tosieve(indentlevel, target=target)
continue
if "string" in atype:
target.write(value)
if not value.startswith('"') and not value.startswith("["):
target.write("\n")
else:
target.write(str(value))
if not self.accept_children:
if self.get_type() != "test":
target.write(";\n")
return
if self.get_type() != "control":
return
target.write(" {\n")
for ch in self.children:
ch.tosieve(indentlevel + 4, target=target)
self.__print("}", indentlevel, target=target)
def __print(
self, data: str, indentlevel: int, nocr: bool = False, target=sys.stdout
):
text = "%s%s" % (" " * indentlevel, data)
if nocr:
target.write(text)
else:
target.write(text + "\n")
def __get_arg_type(self, arg: str) -> Optional[List[str]]:
"""Return the type corresponding to the given name.
:param arg: a defined argument name
"""
for a in self.args_definition:
if a["name"] == arg:
return a["type"]
return None
def complete_cb(self):
"""Completion callback
Called when a command is considered as complete by the parser.
"""
pass
def get_expected_first(self) -> Optional[List[str]]:
"""Return the first expected token for this command"""
return None
def has_arguments(self) -> bool:
return len(self.args_definition) != 0
def reassign_arguments(self):
"""Reassign arguments to proper slots.
Should be called when parsing of commands with non
deterministic arguments is considered done.
"""
raise NotImplementedError
def dump(self, indentlevel: int = 0, target=sys.stdout):
"""Display the command
Pretty printing of this command and its eventual arguments and
children. (recursively)
:param indentlevel: integer that indicates indentation level to apply
"""
self.__print(self, indentlevel, target=target)
indentlevel += 4
if self.has_arguments():
for arg in self.args_definition:
if not arg["name"] in self.arguments:
continue
value = self.arguments[arg["name"]]
atype = arg["type"]
if "tag" in atype:
self.__print(str(value), indentlevel, target=target)
if arg["name"] in self.extra_arguments:
value = self.extra_arguments[arg["name"]]
atype = arg["extra_arg"]["type"]
else:
continue
if type(value) == list:
if self.__get_arg_type(arg["name"]) == ["testlist"]:
for t in value:
t.dump(indentlevel, target)
else:
self.__print(
"[" + (",".join(value)) + "]", indentlevel, target=target
)
continue
if isinstance(value, Command):
value.dump(indentlevel, target)
continue
self.__print(str(value), indentlevel, target=target)
for ch in self.children:
ch.dump(indentlevel, target)
def walk(self) -> Iterator["Command"]:
"""Walk through commands."""
yield self
if self.has_arguments():
for arg in self.args_definition:
if not arg["name"] in self.arguments:
continue
value = self.arguments[arg["name"]]
if type(value) == list:
if self.__get_arg_type(arg["name"]) == ["testlist"]:
for t in value:
for node in t.walk():
yield node
if isinstance(value, Command):
for node in value.walk():
yield node
for ch in self.children:
for node in ch.walk():
yield node
def addchild(self, child: "Command") -> bool:
"""Add a new child to the command
A child corresponds to a command located into a block (this
command's block). It can be either an action or a control.
:param child: the new child
:return: True on succes, False otherwise
"""
if not self.accept_children:
return False
self.children += [child]
return True
def iscomplete(
self, atype: Optional[str] = None, avalue: Optional[str] = None
) -> bool:
"""Check if the command is complete
Check if all required arguments have been encountered. For
commands that allow an undefined number of arguments, this
method always returns False.
:return: True if command is complete, False otherwise
"""
if self.variable_args_nb:
return False
if self.required_args == -1:
self.required_args = 0
for arg in self.args_definition:
if arg.get("required", False):
self.required_args += 1
return (
self.curarg is None
or "extra_arg" not in self.curarg
or (
"valid_for" in self.curarg["extra_arg"]
and atype
and atype in self.curarg["extra_arg"]["type"]
and avalue not in self.curarg["extra_arg"]["valid_for"]
)
) and (self.rargs_cnt == self.required_args)
def get_type(self) -> str:
"""Return the command's type"""
if self._type is None:
raise NotImplementedError
return self._type
def __is_valid_value_for_arg(
self, arg: CommandArg, value: str, check_extension: bool = True
) -> bool:
"""Check if value is allowed for arg
Some commands only allow a limited set of values. The method
always returns True for methods that do not provide such a
set.
:param arg: the argument
:param value: the value to check
:param check_extension: check if value requires an extension
:return: True on succes, False otherwise
"""
if "values" not in arg and "extension_values" not in arg:
return True
if "values" in arg and value.lower() in arg["values"]:
return True
if "extension_values" in arg:
extension = arg["extension_values"].get(value.lower())
if extension:
condition = (
check_extension
and extension not in RequireCommand.loaded_extensions
)
if condition:
raise ExtensionNotLoaded(extension)
return True
return False
def __is_valid_type(self, typ: str, typlist: List[str]) -> bool:
"""Check if type is valid based on input type list
"string" is special because it can be used for stringlist
:param typ: the type to check
:param typlist: the list of type to check
:return: True on success, False otherwise
"""
typ_is_str = typ == "string"
str_list_in_typlist = "stringlist" in typlist
return typ in typlist or (typ_is_str and str_list_in_typlist)
def check_next_arg(
self, atype: str, avalue: str, add: bool = True, check_extension: bool = True
) -> bool:
"""Argument validity checking
This method is usually used by the parser to check if detected
argument is allowed for this command.
We make a distinction between required and optional
arguments. Optional (or tagged) arguments can be provided
unordered but not the required ones.
A special handling is also done for arguments that require an
argument (example: the :comparator argument expects a string
argument).
The "testlist" type is checked separately as we can't know in
advance how many arguments will be provided.
If the argument is incorrect, the method raises the
appropriate exception, or return False to let the parser
handle the exception.
:param atype: the argument's type
:param avalue: the argument's value
:param add: indicates if this argument should be recorded on success
:param check_extension: raise ExtensionNotLoaded if extension not
loaded
:return: True on success, False otherwise
"""
if not self.has_arguments():
return False
if self.iscomplete(atype, avalue):
return False
if self.curarg is not None and "extra_arg" in self.curarg:
condition = atype in self.curarg["extra_arg"]["type"] and (
"values" not in self.curarg["extra_arg"]
or avalue in self.curarg["extra_arg"]["values"]
)
if condition:
if add:
self.extra_arguments[self.curarg["name"]] = avalue
self.curarg = None
return True
raise BadValue(self.curarg["name"], avalue)
failed = False
pos = self.nextargpos
while pos < len(self.args_definition):
curarg = self.args_definition[pos]
if curarg.get("required", False):
if curarg["type"] == ["testlist"]:
if atype != "test":
failed = True
elif add:
if not curarg["name"] in self.arguments:
self.arguments[curarg["name"]] = []
self.arguments[curarg["name"]] += [avalue]
elif not self.__is_valid_type(
atype, curarg["type"]
) or not self.__is_valid_value_for_arg(curarg, avalue, check_extension):
failed = True
else:
self.curarg = curarg
self.rargs_cnt += 1
self.nextargpos = pos + 1
if add:
self.arguments[curarg["name"]] = avalue
break
condition: bool = atype in curarg["type"] and self.__is_valid_value_for_arg(
curarg, avalue, check_extension
)
if condition:
ext = curarg.get("extension")
condition = (
check_extension
and ext
and ext not in RequireCommand.loaded_extensions
)
if condition:
raise ExtensionNotLoaded(ext)
condition = "extra_arg" in curarg and (
"valid_for" not in curarg["extra_arg"]
or avalue in curarg["extra_arg"]["valid_for"]
)
if condition:
self.curarg = curarg
if add:
self.arguments[curarg["name"]] = avalue
break
pos += 1
if failed:
raise BadArgument(self.name, avalue, self.args_definition[pos]["type"])
return True
def __contains__(self, name: str) -> bool:
"""Check if argument is provided with command."""
return name in self.arguments
def __getitem__(self, name: str) -> Any:
"""Shorcut to access a command argument
:param name: the argument's name
"""
found = False
for ad in self.args_definition:
if ad["name"] == name:
found = True
break
if not found:
raise KeyError(name)
if name not in self.arguments:
raise KeyError(name)
return self.arguments[name]
class ControlCommand(Command):
"""Indermediate class to represent "control" commands"""
_type = "control"
class RequireCommand(ControlCommand):
"""The 'require' command
This class has one big difference with others as it is used to
store loaded extension names. (The result is we can check for
unloaded extensions during the parsing)
"""
args_definition = [
{"name": "capabilities", "type": ["string", "stringlist"], "required": True}
]
loaded_extensions: List[str] = []
def complete_cb(self):
if type(self.arguments["capabilities"]) != list:
exts = [self.arguments["capabilities"]]
else:
exts = self.arguments["capabilities"]
for ext in exts:
ext = ext.strip('"')
if ext not in RequireCommand.loaded_extensions:
RequireCommand.loaded_extensions += [ext]
class IfCommand(ControlCommand):
accept_children = True
args_definition = [{"name": "test", "type": ["test"], "required": True}]
def get_expected_first(self) -> List[str]:
return ["identifier"]
class ElsifCommand(ControlCommand):
accept_children = True
must_follow = ["if", "elsif"]
args_definition = [{"name": "test", "type": ["test"], "required": True}]
def get_expected_first(self) -> List[str]:
return ["identifier"]
class ElseCommand(ControlCommand):
accept_children = True
must_follow = ["if", "elsif"]
args_definition = []
class ActionCommand(Command):
"""Indermediate class to represent "action" commands"""
_type = "action"
def args_as_tuple(self):
args = []
for name, value in list(self.arguments.items()):
unquote = False
for argdef in self.args_definition:
if name == argdef["name"]:
condition = (
"string" in argdef["type"] or "stringlist" in argdef["type"]
)
if condition:
unquote = True
break
if unquote:
if "," in value:
args += tools.to_list(value)
else:
args.append(value.strip('"'))
continue
args.append(value)
return (self.name,) + tuple(args)
class StopCommand(ActionCommand):
args_definition = []
class FileintoCommand(ActionCommand):
extension = "fileinto"
args_definition = [
{
"name": "copy",
"type": ["tag"],
"values": [":copy"],
"required": False,
"extension": "copy",
},
{
"name": "create",
"type": ["tag"],
"values": [":create"],
"required": False,
"extension": "mailbox",
},
{
"name": "flags",
"type": ["tag"],
"values": [":flags"],
"extra_arg": {"type": ["string", "stringlist"]},
"extension": "imap4flags",
},
{"name": "mailbox", "type": ["string"], "required": True},
]
class RedirectCommand(ActionCommand):
args_definition = [
{
"name": "copy",
"type": ["tag"],
"values": [":copy"],
"required": False,
"extension": "copy",
},
{"name": "address", "type": ["string"], "required": True},
]
class RejectCommand(ActionCommand):
extension = "reject"
args_definition = [{"name": "text", "type": ["string"], "required": True}]
class KeepCommand(ActionCommand):
args_definition = [
{
"name": "flags",
"type": ["tag"],
"values": [":flags"],
"extra_arg": {"type": ["string", "stringlist"]},
"extension": "imap4flags",
},
]
class DiscardCommand(ActionCommand):
args_definition = []
class SetflagCommand(ActionCommand):
"""imap4flags extension: setflag."""
args_definition = [
{"name": "variable-name", "type": ["string"], "required": False},
{"name": "list-of-flags", "type": ["string", "stringlist"], "required": True},
]
extension = "imap4flags"
class AddflagCommand(ActionCommand):
"""imap4flags extension: addflag."""
args_definition = [
{"name": "variable-name", "type": ["string"], "required": False},
{"name": "list-of-flags", "type": ["string", "stringlist"], "required": True},
]
extension = "imap4flags"
class RemoveflagCommand(ActionCommand):
"""imap4flags extension: removeflag."""
args_definition = [
{"name": "variable-name", "type": ["string"]},
{"name": "list-of-flags", "type": ["string", "stringlist"], "required": True},
]
extension = "imap4flags"
class NotifyCommand(ActionCommand):
"""
Notify extension
https://datatracker.ietf.org/doc/html/rfc5435
"""
extension = "enotify"
args_definition = [
{
"name": "from",
"type": ["tag"],
"values": [":from"],
"required": False,
"extra_arg": {"type": "string", "required": True}
},
{
"name": "importance",
"type": ["tag"],
"values": [":importance"],
"required": False,
"extra_arg": {"type": "string", "required": True}
},
{
"name": "options",
"type": ["tag"],
"values": [":options"],
"required": False,
"extra_arg": {"type": "stringlist", "required": True}
},
{
"name": "message",
"type": ["tag"],
"values": [":message"],
"required": False,
"extra_arg": {"type": "string", "required": True}
},
{"name": "method", "type": ["string"], "required": True},
]
class TestCommand(Command):
"""Indermediate class to represent "test" commands"""
_type = "test"
class AddressCommand(TestCommand):
args_definition = [
comparator,
address_part,
match_type,
{"name": "header-list", "type": ["string", "stringlist"], "required": True},
{"name": "key-list", "type": ["string", "stringlist"], "required": True},
]
class AllofCommand(TestCommand):
accept_children = True
variable_args_nb = True
args_definition = [{"name": "tests", "type": ["testlist"], "required": True}]
def get_expected_first(self) -> List[str]:
return ["left_parenthesis"]
class AnyofCommand(TestCommand):
accept_children = True
variable_args_nb = True
args_definition = [{"name": "tests", "type": ["testlist"], "required": True}]
def get_expected_first(self) -> List[str]:
return ["left_parenthesis"]
class EnvelopeCommand(TestCommand):
args_definition = [
comparator,
address_part,
match_type,
{"name": "header-list", "type": ["string", "stringlist"], "required": True},
{"name": "key-list", "type": ["string", "stringlist"], "required": True},
]
extension = "envelope"
def args_as_tuple(self):
"""Return arguments as a list."""
result = ("envelope", self.arguments["match-type"])
value = self.arguments["header-list"]
if isinstance(value, list):
# FIXME
value = "[{}]".format(",".join('"{}"'.format(item) for item in value))
if value.startswith("["):
result += (tools.to_list(value),)
else:
result += ([value.strip('"')],)
value = self.arguments["key-list"]
if isinstance(value, list):
# FIXME
value = "[{}]".format(",".join('"{}"'.format(item) for item in value))
if value.startswith("["):
result += (tools.to_list(value),)
else:
result = result + ([value.strip('"')],)
return result
class ExistsCommand(TestCommand):
args_definition = [
{"name": "header-names", "type": ["string", "stringlist"], "required": True}
]
def args_as_tuple(self):
"""FIXME: en fonction de la manière dont la commande a été générée
(factory ou parser), le type des arguments est différent :
string quand ça vient de la factory ou type normal depuis le
parser. Il faut uniformiser tout ça !!
"""
value = self.arguments["header-names"]
if isinstance(value, list):
value = "[{}]".format(",".join('"{}"'.format(item) for item in value))
if not value.startswith("["):
return ("exists", value.strip('"'))
return ("exists",) + tuple(tools.to_list(value))
class TrueCommand(TestCommand):
args_definition = []
class FalseCommand(TestCommand):
args_definition = []
class HeaderCommand(TestCommand):
args_definition = [
comparator,
match_type,
{"name": "header-names", "type": ["string", "stringlist"], "required": True},
{"name": "key-list", "type": ["string", "stringlist"], "required": True},
]
def args_as_tuple(self):
"""Return arguments as a list."""
if "," in self.arguments["header-names"]:
result = tuple(tools.to_list(self.arguments["header-names"]))
else:
result = (self.arguments["header-names"].strip('"'),)
result = result + (self.arguments["match-type"],)
if "," in self.arguments["key-list"]:
result = result + tuple(
tools.to_list(self.arguments["key-list"], unquote=False)
)
else:
result = result + (self.arguments["key-list"].strip('"'),)
return result
class BodyCommand(TestCommand):
"""Body extension.
See https://tools.ietf.org/html/rfc5173.
"""
args_definition = [
comparator,
match_type,
{
"name": "body-transform",
"values": [":raw", ":content", ":text"],
"extra_arg": {"type": "stringlist", "valid_for": [":content"]},
"type": ["tag"],
"required": False,
},
{"name": "key-list", "type": ["string", "stringlist"], "required": True},
]
extension = "body"
def args_as_tuple(self):
"""Return arguments as a list."""
result = ("body",)
result = result + (
self.arguments["body-transform"],
self.arguments["match-type"],
)
value = self.arguments["key-list"]
if isinstance(value, list):
# FIXME
value = "[{}]".format(",".join('"{}"'.format(item) for item in value))
if value.startswith("["):
result += tuple(tools.to_list(value))
else:
result += (value.strip('"'),)
return result
class NotCommand(TestCommand):
accept_children = True
args_definition = [{"name": "test", "type": ["test"], "required": True}]
def get_expected_first(self):
return ["identifier"]
class SizeCommand(TestCommand):
args_definition = [
{
"name": "comparator",
"type": ["tag"],
"values": [":over", ":under"],
"required": True,
},
{"name": "limit", "type": ["number"], "required": True},
]
def args_as_tuple(self):
return ("size", self.arguments["comparator"], self.arguments["limit"])
class HasflagCommand(TestCommand):
"""imap4flags extension: hasflag."""
args_definition = [
comparator,
match_type,
{"name": "variable-list", "type": ["string", "stringlist"], "required": False},
{"name": "list-of-flags", "type": ["string", "stringlist"], "required": True},
]
extension = "imap4flags"
non_deterministic_args = True
def reassign_arguments(self):
"""Deal with optional stringlist before a required one."""
condition = (
"variable-list" in self.arguments and "list-of-flags" not in self.arguments
)
if condition:
self.arguments["list-of-flags"] = self.arguments.pop("variable-list")
self.rargs_cnt = 1
class DateCommand(TestCommand):
"""date command, part of the date extension.
https://tools.ietf.org/html/rfc5260#section-4
"""
extension = "date"
args_definition = [
{
"name": "zone",
"type": ["tag"],
"values": [":zone", ":originalzone"],
"extra_arg": {"type": "string", "valid_for": [":zone"]},
"required": False,
},
comparator,
match_type,
{"name": "header-name", "type": ["string"], "required": True},
{"name": "date-part", "type": ["string"], "required": True},
{"name": "key-list", "type": ["string", "stringlist"], "required": True},
]
class CurrentdateCommand(TestCommand):
"""currentdate command, part of the date extension.
http://tools.ietf.org/html/rfc5260#section-5
"""
extension = "date"
args_definition = [
{
"name": "zone",
"type": ["tag"],
"values": [":zone"],
"extra_arg": {"type": "string"},
"required": False,
},
comparator,
match_type,
{"name": "date-part", "type": ["string"], "required": True},
{"name": "key-list", "type": ["string", "stringlist"], "required": True},
]
def args_as_tuple(self):
"""Return arguments as a list."""
result = ("currentdate",)
result += (
":zone",
self.extra_arguments["zone"].strip('"'),
self.arguments["match-type"],
)
if self.arguments["match-type"] in [":count", ":value"]:
result += (self.extra_arguments["match-type"].strip('"'),)
result += (self.arguments["date-part"].strip('"'),)
value = self.arguments["key-list"]
if isinstance(value, list):
# FIXME
value = "[{}]".format(",".join('"{}"'.format(item) for item in value))
if value.startswith("["):
result = result + tuple(tools.to_list(value))
else:
result = result + (value.strip('"'),)
return result
class VacationCommand(ActionCommand):
extension = "vacation"
args_definition = [
{
"name": "subject",
"type": ["tag"],
"values": [":subject"],
"extra_arg": {"type": "string"},
"required": False,
},
{
"name": "days",
"type": ["tag"],
"values": [":days"],
"extra_arg": {"type": "number"},
"required": False,
},
{
"name": "seconds",
"type": ["tag"],
"extension_values": {":seconds": "vacation-seconds"},
"extra_arg": {"type": "number"},
"required": False,
},
{
"name": "from",
"type": ["tag"],
"values": [":from"],
"extra_arg": {"type": "string"},
"required": False,
},
{
"name": "addresses",
"type": ["tag"],
"values": [":addresses"],
"extra_arg": {"type": ["string", "stringlist"]},
"required": False,
},
{
"name": "handle",
"type": ["tag"],
"values": [":handle"],
"extra_arg": {"type": "string"},
"required": False,
},
{"name": "mime", "type": ["tag"], "values": [":mime"], "required": False},
{"name": "reason", "type": ["string"], "required": True},
]
class SetCommand(ControlCommand):
"""set command, part of the variables extension
http://tools.ietf.org/html/rfc5229
"""
extension = "variables"
args_definition = [
{"name": "startend", "type": ["string"], "required": True},
{"name": "date", "type": ["string"], "required": True},
]
def add_commands(cmds):
"""
Adds one or more commands to the module namespace.
Commands must end in "Command" to be added.
Example (see tests/parser.py):
sievelib.commands.add_commands(MytestCommand)
:param cmds: a single Command Object or list of Command Objects
"""
if not isinstance(cmds, Iterable):
cmds = [cmds]
for command in cmds:
if command.__name__.endswith("Command"):
globals()[command.__name__] = command
def get_command_instance(
name: str, parent: Optional[Command] = None, checkexists: bool = True
) -> Command:
"""Try to guess and create the appropriate command instance
Given a command name (encountered by the parser), construct the
associated class name and, if known, return a new instance.
If the command is not known or has not been loaded using require,
an UnknownCommand exception is raised.
:param name: the command's name
:param parent: the eventual parent command
:return: a new class instance
"""
cname = "%sCommand" % name.lower().capitalize()
gl = globals()
condition = cname not in gl
if condition:
raise UnknownCommand(name)
condition = (
checkexists
and gl[cname].extension
and gl[cname].extension not in RequireCommand.loaded_extensions
)
if condition:
raise ExtensionNotLoaded(gl[cname].extension)
return gl[cname](parent)
|