improve edward output
[edward.git] / edward
1 #! /usr/bin/env python3
2 # -*- coding: utf-8 -*-
3 """*********************************************************************
4 * Edward is free software: you can redistribute it and/or modify *
5 * it under the terms of the GNU Affero Public License as published by *
6 * the Free Software Foundation, either version 3 of the License, or *
7 * (at your option) any later version. *
8 * *
9 * Edward is distributed in the hope that it will be useful, *
10 * but WITHOUT ANY WARRANTY; without even the implied warranty of *
11 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the *
12 * GNU Affero Public License for more details. *
13 * *
14 * You should have received a copy of the GNU Affero Public License *
15 * along with Edward. If not, see <http://www.gnu.org/licenses/>. *
16 * *
17 * Copyright (C) 2014-2015 Andrew Engelbrecht (AGPLv3+) *
18 * Copyright (C) 2014 Josh Drake (AGPLv3+) *
19 * Copyright (C) 2014 Lisa Marie Maginnis (AGPLv3+) *
20 * Copyright (C) 2009-2015 Tails developers <tails@boum.org> ( GPLv3+) *
21 * Copyright (C) 2009 W. Trevor King <wking@drexel.edu> ( GPLv2+) *
22 * *
23 * Special thanks to Josh Drake for writing the original edward bot! :) *
24 * *
25 ************************************************************************
26
27 Code sourced from these projects:
28
29 * http://agpl.fsf.org/emailselfdefense.fsf.org/edward/PREVIOUS-20150530/edward.tar.gz
30 * https://git-tails.immerda.ch/whisperback/tree/whisperBack/encryption.py?h=feature/python3
31 * http://www.physics.drexel.edu/~wking/code/python/send_pgp_mime
32 """
33
34 import re
35 import io
36 import os
37 import sys
38 import enum
39 import gpgme
40 import smtplib
41 import importlib
42
43 import email.parser
44 import email.message
45 import email.encoders
46
47 from email.mime.text import MIMEText
48 from email.mime.multipart import MIMEMultipart
49 from email.mime.application import MIMEApplication
50 from email.mime.nonmultipart import MIMENonMultipart
51
52 import edward_config
53
54 langs = ["de", "el", "en", "es", "fr", "it", "ja", "pt-br", "ro", "ru", "tr"]
55
56 """This list contains the abbreviated names of reply languages available to
57 edward."""
58
59 class TxtType (enum.Enum):
60 text = 0
61 message = 1
62 pubkey = 2
63 detachedsig = 3
64 signature = 4
65
66
67 match_pairs = [(TxtType.message,
68 '-----BEGIN PGP MESSAGE-----.*?-----END PGP MESSAGE-----'),
69 (TxtType.pubkey,
70 '-----BEGIN PGP PUBLIC KEY BLOCK-----.*?-----END PGP PUBLIC KEY BLOCK-----'),
71 (TxtType.detachedsig,
72 '-----BEGIN PGP SIGNATURE-----.*?-----END PGP SIGNATURE-----')]
73
74 """This list of tuples matches query names with re.search() queries used
75 to find GPG data for edward to process."""
76
77
78 class EddyMsg (object):
79 """
80 The EddyMsg class represents relevant parts of a mime message.
81
82 The represented message can be single-part or multi-part.
83
84 'multipart' is set to True if there are multiple mime parts.
85
86 'subparts' points to a list of mime sub-parts if it is a multi-part
87 message. Otherwise it points to an empty list.
88
89 'payload_bytes' is a binary representation of the mime part before header
90 removal and message decoding.
91
92 'payload_pieces' is a list of objects containing strings that when strung
93 together form the fully-decoded string representation of the mime part.
94
95 The 'filename', 'content_type', 'content_disposition' and
96 'description_list' come from the mime part parameters.
97
98 """
99
100 multipart = False
101 subparts = []
102
103 payload_bytes = None
104 payload_pieces = []
105
106 filename = None
107 content_type = None
108 content_disposition = None
109 description_list = None
110
111
112 class PayloadPiece (object):
113 """
114 PayloadPiece represents a complte or sub-section of a mime part.
115
116 Instances of this class are often strung together within one or more arrays
117 pointed to by each instance of the EddyMsg class.
118
119 'piece_type' refers to an enum whose value describes the content of
120 'string'. Examples include TxtType.pubkey, for public keys, and
121 TxtType.message, for encrypted data (or armored signatures until they are
122 known to be such.) Some of the names derive from the header and footer of
123 each of these ascii-encoded gpg blocks.
124
125 'string' contains some string of text, such as non-GPG text, an encrypted
126 block of text, a signature, or a public key.
127
128 'gpg_data' points to any instances of GPGData that have been created based
129 on the contents of 'string'.
130 """
131
132 piece_type = None
133 string = None
134 gpg_data = None
135
136
137 class GPGData (object):
138 """
139 GPGData holds info from decryption, sig. verification, and/or pub. keys.
140
141 Instances of this class contain decrypted information, signature
142 fingerprints and/or fingerprints of processed and imported public keys.
143
144 'decrypted' is set to True if 'plainobj' was created from encrypted data.
145
146 'plainobj' points to any decrypted, or signed part of, a GPG signature. It
147 is intended to be an instance of the EddyMsg class.
148
149 'sigs' is a list of fingerprints of keys used to sign the data in plainobj.
150
151 'sigkey_missing' is set to True if edward doesn't have the key it needs to
152 verify the signature on a block of text.
153
154 'key_cannot_encrypt' is set to True if pubkeys or sigs' keys in the payload
155 piece are not capable of encryption, are revoked or expired, for instance.
156
157 'keys' is a list of fingerprints of keys obtained in public key blocks.
158 """
159
160 decrypted = False
161
162 plainobj = None
163 sigs = []
164 sigkey_missing = False
165 key_cannot_encrypt = False
166 keys = []
167
168
169 class ReplyInfo (object):
170 """
171 ReplyInfo contains details that edward uses in generating its reply.
172
173 Instances of this class contain information about whether a message was
174 successfully encrypted or signed, and whether a public key was attached, or
175 retrievable, from the local GPG store. It stores the fingerprints of
176 potential encryption key candidates and the message (if any at all) to
177 quote in edward's reply.
178
179 'replies' points one of the dictionaries of translated replies.
180
181 'target_key' refers to the fingerprint of a key used to sign encrypted
182 data. This is the preferred key, if it is set, and if is available.
183
184 'fallback_target_key' referst to the fingerprint of a key used to sign
185 unencrypted data; alternatively it may be a public key attached to the
186 message.
187
188 'encrypt_to_key' the key object to use when encrypting edward's reply
189
190 'msg_to_quote' refers to the part of a message which edward should quote in
191 his reply. This should remain as None if there was no encrypted and singed
192 part. This is to avoid making edward a service for decrypting other
193 people's messages to edward.
194
195 'decrypt_success' is set to True if edward could decrypt part of the
196 message.
197
198 'sig_success' is set to True if edward could to some extent verify the
199 signature of a signed part of the message to edward.
200
201 'key_can_encrypt' is set to True if a key which can be encrypted to has
202 been found.
203
204 'sig_failure' is set to True if edward could not verify a siganture.
205
206 'pubkey_success' is set to True if edward successfully imported a public
207 key.
208
209 'sigkey_missing' is set to True if edward doesn't have the public key
210 needed for signature verification.
211
212 'key_cannot_encrypt' is set to True if pubkeys or sig's keys in a payload
213 piece of the message are not capable of encryption.
214
215 'have_repy_key' is set to True if edward has a public key to encrypt its
216 reply to.
217 """
218
219 replies = None
220
221 target_key = None
222 fallback_target_key = None
223 encrypt_to_key = None
224 msg_to_quote = ""
225
226 decrypt_success = False
227 sig_success = False
228 pubkey_success = False
229 key_can_encrypt = False
230
231 decrypt_failure = False
232 sig_failure = False
233 sigkey_missing = False
234 key_cannot_encrypt = False
235
236 have_reply_key = False
237
238
239 def main ():
240
241 """
242 This is the main function for edward, a GPG reply bot.
243
244 Edward responds to GPG-encrypted and signed mail, encrypting and signing
245 the response if the user's public key is, or was, included in the message.
246
247 Args:
248 None
249
250 Returns:
251 Nothing
252
253 Pre:
254 Mime or plaintext email passing in through standard input. Portions of
255 the email may be encrypted. If the To: address contains the text
256 "edward-ja", then the reply will contain a reply written in the
257 Japanese language. There are other languages as well. The default
258 language is English.
259
260 Post:
261 A reply email will be printed to standard output. The contents of the
262 reply email depends on whether the original email was encrypted or not,
263 has or doesn't have a signature, whether a public key used in the
264 original message is provided or locally stored, and the language
265 implied by the To: address in the original email.
266 """
267
268 print_reply_only = handle_args()
269
270 gpgme_ctx = get_gpg_context(edward_config.gnupghome,
271 edward_config.sign_with_key)
272
273 email_bytes = sys.stdin.buffer.read()
274
275 parse_pgp_mime(email_bytes, gpgme_ctx)
276 email_struct = parse_pgp_mime(email_bytes, gpgme_ctx)
277
278 email_to, email_reply_to, email_subject = email_to_reply_to_subject(email_bytes)
279 lang, reply_from = import_lang_pick_address(email_to, edward_config.hostname)
280
281 replyinfo_obj = ReplyInfo()
282 replyinfo_obj.replies = lang.replies
283
284 prepare_for_reply(email_struct, replyinfo_obj)
285 get_key_from_fp(replyinfo_obj, gpgme_ctx)
286 reply_plaintext = write_reply(replyinfo_obj)
287
288 reply_mime = generate_encrypted_mime(reply_plaintext, email_reply_to, \
289 email_subject, replyinfo_obj.encrypt_to_key,
290 gpgme_ctx)
291
292 if print_reply_only == True:
293 print(reply_mime)
294 else:
295 send_reply(reply_mime, email_reply_to, reply_from)
296
297
298 def get_gpg_context (gnupghome, sign_with_key_fp):
299 """
300 This function returns the GPG context needed for encryption and signing.
301
302 The context is needed by other functions which use GPG functionality.
303
304 Args:
305 gnupghome: The path to "~/.gnupg/" or its alternative.
306 sign_with_key: The fingerprint of the key to sign with
307
308 Returns:
309 A gpgme context to be used for GPG functions.
310
311 Post:
312 the 'armor' flag is set to True and the list of signing keys contains
313 the single specified key
314 """
315
316 os.environ['GNUPGHOME'] = gnupghome
317
318 gpgme_ctx = gpgme.Context()
319 gpgme_ctx.armor = True
320
321 try:
322 sign_with_key = gpgme_ctx.get_key(sign_with_key_fp)
323 except gpgme.GpgmeError:
324 error("unable to load signing key. is the gnupghome "
325 + "and signing key properly set in the edward_config.py?")
326 exit(1)
327
328 gpgme_ctx.signers = [sign_with_key]
329
330 return gpgme_ctx
331
332
333 def parse_pgp_mime (email_bytes, gpgme_ctx):
334 """Parses the email for mime payloads and decrypts/verfies signatures.
335
336 This function creates a representation of a mime or plaintext email with
337 the EddyMsg class. It then splits each mime payload into one or more pieces
338 which may be plain text or GPG data. It then decrypts encrypted parts and
339 does some very basic signature verification on those parts.
340
341 Args:
342 email_bytes: an email message in byte string format
343 gpgme_ctx: a gpgme context
344
345 Returns:
346 A message as an instance of EddyMsg
347
348 Post:
349 the returned EddyMsg instance has split, decrypted, verified and pubkey
350 imported payloads
351 """
352
353 email_struct = email.parser.BytesParser().parsebytes(email_bytes)
354
355 eddymsg_obj = parse_mime(email_struct)
356 split_payloads(eddymsg_obj)
357 gpg_on_payloads(eddymsg_obj, gpgme_ctx)
358
359 return eddymsg_obj
360
361
362 def parse_mime(msg_struct):
363 """Translates python's email.parser format into an EddyMsg format
364
365 If the message is multi-part, then a recursive object is created, where
366 each sub-part is also a EddyMsg instance.
367
368 Args:
369 msg_struct: an email parsed with email.parser.BytesParser(), which can be
370 multi-part
371
372 Returns:
373 an instance of EddyMsg, potentially a recursive one.
374 """
375
376 eddymsg_obj = get_subpart_data(msg_struct)
377
378 if msg_struct.is_multipart() == True:
379 payloads = msg_struct.get_payload()
380
381 eddymsg_obj.multipart = True
382 eddymsg_obj.subparts = list(map(parse_mime, payloads))
383
384 return eddymsg_obj
385
386
387 def scan_and_split (payload_piece, match_name, pattern):
388 """This splits the payloads of an EddyMsg object into GPG and text parts.
389
390 An EddyMsg object's payload_pieces starts off as a list containing a single
391 PayloadPiece object. This function returns a list of these objects which
392 have been split into GPG data and regular text, if such splits need to be/
393 can be made.
394
395 Args:
396 payload_piece: a single payload or a split part of a payload
397 match_name: the type of data to try to spit out from the payload piece
398 pattern: the search pattern to be used for finding that type of data
399
400 Returns:
401 a list of objects of the PayloadPiece class, in the order that the
402 string part of payload_piece originally was, broken up according to
403 matches specified by 'pattern'.
404 """
405
406 # don't try to re-split pieces containing gpg data
407 if payload_piece.piece_type != TxtType.text:
408 return [payload_piece]
409
410 flags = re.DOTALL | re.MULTILINE
411 matches = re.search(pattern, payload_piece.string, flags=flags)
412
413 if matches == None:
414 pieces = [payload_piece]
415
416 else:
417
418 beginning = PayloadPiece()
419 beginning.string = payload_piece.string[:matches.start()]
420 beginning.piece_type = payload_piece.piece_type
421
422 match = PayloadPiece()
423 match.string = payload_piece.string[matches.start():matches.end()]
424 match.piece_type = match_name
425
426 rest = PayloadPiece()
427 rest.string = payload_piece.string[matches.end():]
428 rest.piece_type = payload_piece.piece_type
429
430 more_pieces = scan_and_split(rest, match_name, pattern)
431 pieces = [beginning, match ] + more_pieces
432
433 return pieces
434
435
436 def get_subpart_data (part):
437 """This function grabs information from a mime part.
438
439 It copies needed data from an email.parser.BytesParser() object over to an
440 EddyMsg object.
441
442 Args:
443 part: an email.parser.BytesParser() object
444
445 Returns:
446 an EddyMsg() object
447 """
448
449 obj = EddyMsg()
450
451 mime_decoded_bytes = part.get_payload(decode=True)
452 charset = part.get_content_charset()
453
454 # your guess is as good as a-myy-ee-ine...
455 if charset == None:
456 charset = 'utf-8'
457
458 payload_string = part.as_string()
459 if payload_string != None:
460 # convert each isolated carriage return or line feed to carriage return + line feed
461 payload_string_crlf = re.sub(r'\n', '\r\n', re.sub(r'\r', '\n', re.sub(r'\r\n', '\n', payload_string)))
462 obj.payload_bytes = payload_string_crlf.encode(charset)
463
464 obj.filename = part.get_filename()
465 obj.content_type = part.get_content_type()
466 obj.content_disposition = part['content-disposition']
467 obj.description_list = part['content-description']
468
469 if mime_decoded_bytes != None:
470 try:
471 payload = PayloadPiece()
472 payload.string = mime_decoded_bytes.decode(charset)
473 payload.piece_type = TxtType.text
474
475 obj.payload_pieces = [payload]
476 except UnicodeDecodeError:
477 pass
478
479 return obj
480
481
482 def do_to_eddys_pieces (function_to_do, eddymsg_obj, data):
483 """A function which maps another function onto a message's subparts.
484
485 This is a higer-order function which recursively performs a specified
486 function on each subpart of a multi-part message. Each single-part sub-part
487 has the function applied to it. This function also works if the part passed
488 in is single-part.
489
490 Args:
491 function_to_do: function to perform on sub-parts
492 eddymsg_obj: a single part or multi-part EddyMsg object
493 data: a second argument to pass to 'function_to_do'
494
495 Returns:
496 Nothing
497
498 Post:
499 The passed-in EddyMsg object is transformed recursively on its
500 sub-parts according to 'function_to_do'.
501 """
502
503 if eddymsg_obj.multipart == True:
504 for sub in eddymsg_obj.subparts:
505 do_to_eddys_pieces(function_to_do, sub, data)
506 else:
507 function_to_do(eddymsg_obj, data)
508
509
510 def split_payloads (eddymsg_obj):
511 """Splits all (sub-)payloads of a message into GPG data and regular text.
512
513 Recursively performs payload splitting on all sub-parts of an EddyMsg
514 object into the various GPG data types, such as GPG messages, public key
515 blocks and signed text.
516
517 Args:
518 eddymsg_obj: an instance of EddyMsg
519
520 Returns:
521 Nothing
522
523 Pre:
524 The EddyMsg object has payloads that are unsplit (by may be split)..
525
526 Post:
527 The EddyMsg object's payloads are all split into GPG and non-GPG parts.
528 """
529
530 for match_pair in match_pairs:
531 do_to_eddys_pieces(split_payload_pieces, eddymsg_obj, match_pair)
532
533
534 def split_payload_pieces (eddymsg_obj, match_pair):
535 """A helper function for split_payloads(); works on PayloadPiece objects.
536
537 This function splits up PayloadPiece objects into multipe PayloadPiece
538 objects and replaces the EddyMsg object's previous list of payload pieces
539 with the new split up one.
540
541 Args:
542 eddymsg_obj: a single-part EddyMsg object.
543 match_pair: a tuple from the match_pairs list, which specifies a match
544 name and a match pattern.
545
546 Returns:
547 Nothing
548
549 Pre:
550 The payload piece(s) of an EddyMsg object may be already split or
551 unsplit.
552
553 Post:
554 The EddyMsg object's payload piece(s) are split into a list of pieces
555 if matches of the match_pair are found.
556 """
557
558 (match_name, pattern) = match_pair
559
560 new_pieces_list = []
561 for piece in eddymsg_obj.payload_pieces:
562 new_pieces_list += scan_and_split(piece, match_name, pattern)
563
564 eddymsg_obj.payload_pieces = new_pieces_list
565
566
567 def gpg_on_payloads (eddymsg_obj, gpgme_ctx, prev_parts=[]):
568 """Performs GPG operations on the GPG parts of the message
569
570 This function decrypts text, verifies signatures, and imports public keys
571 included in an email.
572
573 Args:
574 eddymsg_obj: an EddyMsg object with its payload_pieces split into GPG
575 and non-GPG sections by split_payloads()
576 gpgme_ctx: a gpgme context
577
578 prev_parts: a list of mime parts that occur before the eddymsg_obj
579 part, under the same multi-part mime part. This is used for
580 verifying detached signatures. For the root mime part, this should
581 be an empty list, which is the default value if this paramater is
582 omitted.
583
584 Return:
585 Nothing
586
587 Pre:
588 eddymsg_obj should have its payloads split into gpg and non-gpg pieces.
589
590 Post:
591 Decryption, verification and key imports occur. the gpg_data members of
592 PayloadPiece objects get filled in with GPGData objects with some of
593 their attributes set.
594 """
595
596 if eddymsg_obj.multipart == True:
597 prev_parts=[]
598 for sub in eddymsg_obj.subparts:
599 gpg_on_payloads (sub, gpgme_ctx, prev_parts)
600 prev_parts += [sub]
601
602 return
603
604 for piece in eddymsg_obj.payload_pieces:
605
606 if piece.piece_type == TxtType.text:
607 # don't transform the plaintext.
608 pass
609
610 elif piece.piece_type == TxtType.message:
611 piece.gpg_data = GPGData()
612
613 (plaintext_b, sigs, sigkey_missing, key_cannot_encrypt) = decrypt_block(piece.string, gpgme_ctx)
614
615 piece.gpg_data.sigkey_missing = sigkey_missing
616 piece.gpg_data.key_cannot_encrypt = key_cannot_encrypt
617
618 if plaintext_b:
619 piece.gpg_data.decrypted = True
620 piece.gpg_data.sigs = sigs
621 # recurse!
622 piece.gpg_data.plainobj = parse_pgp_mime(plaintext_b, gpgme_ctx)
623 continue
624
625 # if not encrypted, check to see if this is an armored signature.
626 (plaintext_b, sigs, sigkey_missing, key_cannot_encrypt) = verify_sig_message(piece.string, gpgme_ctx)
627
628 piece.gpg_data.sigkey_missing = sigkey_missing
629 piece.gpg_data.key_cannot_encrypt = key_cannot_encrypt
630
631 if plaintext_b:
632 piece.piece_type = TxtType.signature
633 piece.gpg_data.sigs = sigs
634 # recurse!
635 piece.gpg_data.plainobj = parse_pgp_mime(plaintext_b, gpgme_ctx)
636
637 elif piece.piece_type == TxtType.pubkey:
638 piece.gpg_data = GPGData()
639
640 (key_fps, key_cannot_encrypt) = add_gpg_key(piece.string, gpgme_ctx)
641
642 piece.gpg_data.key_cannot_encrypt = key_cannot_encrypt
643
644 if key_fps != []:
645 piece.gpg_data.keys = key_fps
646
647 elif piece.piece_type == TxtType.detachedsig:
648 piece.gpg_data = GPGData()
649
650 for prev in prev_parts:
651 (sig_fps, sigkey_missing, key_cannot_encrypt) = verify_detached_signature(piece.string, prev.payload_bytes, gpgme_ctx)
652
653 piece.gpg_data.sigkey_missing = sigkey_missing
654 piece.gpg_data.key_cannot_encrypt = key_cannot_encrypt
655
656 if sig_fps != []:
657 piece.gpg_data.sigs = sig_fps
658 piece.gpg_data.plainobj = prev
659 break
660
661 else:
662 pass
663
664
665 def prepare_for_reply (eddymsg_obj, replyinfo_obj):
666 """Updates replyinfo_obj with info on the message's GPG success/failures
667
668 This function marks replyinfo_obj with information about whether encrypted
669 text in eddymsg_obj was successfully decrypted, signatures were verified
670 and whether a public key was found or not.
671
672 Args:
673 eddymsg_obj: a message in the EddyMsg format
674 replyinfo_obj: an instance of ReplyInfo
675
676 Returns:
677 Nothing
678
679 Pre:
680 eddymsg_obj has had its gpg_data created by gpg_on_payloads
681
682 Post:
683 replyinfo_obj has been updated with info about decryption/sig
684 verififcation status, etc. However the desired key isn't imported until
685 later, so the success or failure of that updates the values set here.
686 """
687
688 do_to_eddys_pieces(prepare_for_reply_pieces, eddymsg_obj, replyinfo_obj)
689
690 def prepare_for_reply_pieces (eddymsg_obj, replyinfo_obj):
691 """A helper function for prepare_for_reply
692
693 It updates replyinfo_obj with GPG success/failure information, when
694 supplied a single-part EddyMsg object.
695
696 Args:
697 eddymsg_obj: a single-part message in the EddyMsg format
698 replyinfo_obj: an object which holds information about the message's
699 GPG status
700
701 Returns:
702 Nothing
703
704 Pre:
705 eddymsg_obj is a single-part message. (it may be a part of a multi-part
706 message.) It has had its gpg_data created by gpg_on_payloads if it has
707 gpg data.
708
709 Post:
710 replyinfo_obj has been updated with gpg success/failure information
711 """
712
713 for piece in eddymsg_obj.payload_pieces:
714 if piece.piece_type == TxtType.text:
715 # don't quote the plaintext part.
716 pass
717
718 elif piece.piece_type == TxtType.message:
719 prepare_for_reply_message(piece, replyinfo_obj)
720
721 elif piece.piece_type == TxtType.pubkey:
722 prepare_for_reply_pubkey(piece, replyinfo_obj)
723
724 elif (piece.piece_type == TxtType.detachedsig) \
725 or (piece.piece_type == TxtType.signature):
726 prepare_for_reply_sig(piece, replyinfo_obj)
727
728
729 def prepare_for_reply_message (piece, replyinfo_obj):
730 """Helper function for prepare_for_reply()
731
732 This function is called when the piece_type of a payload piece is
733 TxtType.message, or GPG Message block. This should be encrypted text. If
734 the encryted block is correclty signed, a sig will be attached to
735 .target_key unless there is already one there.
736
737 Args:
738 piece: a PayloadPiece object.
739 replyinfo_obj: object which gets updated with decryption status, etc.
740
741 Returns:
742 Nothing
743
744 Pre:
745 the piece.payload_piece value should be TxtType.message.
746
747 Post:
748 replyinfo_obj gets updated with decryption status, signing status, a
749 potential signing key, posession status of the public key for the
750 signature and encryption capability status if that key is missing.
751 """
752
753 if piece.gpg_data.plainobj == None:
754 replyinfo_obj.decrypt_failure = True
755 return
756
757 replyinfo_obj.decrypt_success = True
758
759 # we already have a key (and a message)
760 if replyinfo_obj.target_key != None:
761 return
762
763 if piece.gpg_data.sigs == []:
764 if piece.gpg_data.sigkey_missing == True:
765 replyinfo_obj.sigkey_missing = True
766
767 if piece.gpg_data.key_cannot_encrypt == True:
768 replyinfo_obj.key_cannot_encrypt = True
769
770 # only include a signed message in the reply.
771 get_signed_part = True
772
773 else:
774 replyinfo_obj.target_key = piece.gpg_data.sigs[0]
775 replyinfo_obj.sig_success = True
776 get_signed_part = False
777
778 flatten_decrypted_payloads(piece.gpg_data.plainobj, replyinfo_obj, get_signed_part)
779
780 # to catch public keys in encrypted blocks
781 prepare_for_reply(piece.gpg_data.plainobj, replyinfo_obj)
782
783
784 def prepare_for_reply_pubkey (piece, replyinfo_obj):
785 """Helper function for prepare_for_reply(). Marks pubkey import status.
786
787 Marks replyinfo_obj with pub key import status.
788
789 Args:
790 piece: a PayloadPiece object
791 replyinfo_obj: a ReplyInfo object
792
793 Pre:
794 piece.piece_type should be set to TxtType.pubkey .
795
796 Post:
797 replyinfo_obj has its fields updated.
798 """
799
800 if piece.gpg_data.keys == []:
801 if piece.gpg_data.key_cannot_encrypt == True:
802 replyinfo_obj.key_cannot_encrypt = True
803 else:
804 replyinfo_obj.pubkey_success = True
805
806 # prefer public key as a fallback for the encrypted reply
807 replyinfo_obj.fallback_target_key = piece.gpg_data.keys[0]
808
809
810 def prepare_for_reply_sig (piece, replyinfo_obj):
811 """Helper function for prepare_for_reply(). Marks sig verification status.
812
813 Marks replyinfo_obj with signature verification status.
814
815 Args:
816 piece: a PayloadPiece object
817 replyinfo_obj: a ReplyInfo object
818
819 Pre:
820 piece.piece_type should be set to TxtType.signature, or
821 TxtType.detachedsig .
822
823 Post:
824 replyinfo_obj has its fields updated.
825 """
826
827 if piece.gpg_data.sigs == []:
828 replyinfo_obj.sig_failure = True
829
830 if piece.gpg_data.sigkey_missing == True:
831 replyinfo_obj.sigkey_missing = True
832
833 if piece.gpg_data.key_cannot_encrypt == True:
834 replyinfo_obj.key_cannot_encrypt = True
835
836 else:
837 replyinfo_obj.sig_success = True
838
839 if replyinfo_obj.fallback_target_key == None:
840 replyinfo_obj.fallback_target_key = piece.gpg_data.sigs[0]
841
842 if (piece.piece_type == TxtType.signature):
843 # to catch public keys in signature blocks
844 prepare_for_reply(piece.gpg_data.plainobj, replyinfo_obj)
845
846
847 def flatten_decrypted_payloads (eddymsg_obj, replyinfo_obj, get_signed_part):
848 """For creating a string representation of a signed, encrypted part.
849
850 When given a decrypted payload, it will add either the plaintext or signed
851 plaintext to the reply message, depeding on 'get_signed_part'. This is
852 useful for ensuring that the reply message only comes from a signed and
853 ecrypted GPG message. It also sets the target_key for encrypting the reply
854 if it's told to get signed text only.
855
856 Args:
857 eddymsg_obj: the message in EddyMsg format created by decrypting GPG
858 text
859 replyinfo_obj: a ReplyInfo object for holding the message to quote and
860 the target_key to encrypt to.
861 get_signed_part: True if we should only include text that contains a
862 further signature. If False, then include plain text.
863
864 Returns:
865 Nothing
866
867 Pre:
868 The EddyMsg instance passed in should be a piece.gpg_data.plainobj
869 which represents decrypted text. It may or may not be signed on that
870 level.
871
872 Post:
873 the ReplyInfo instance may have a new 'target_key' set and its
874 'msg_to_quote' will be updated with (possibly signed) plaintext, if any
875 could be found.
876 """
877
878 if eddymsg_obj == None:
879 return
880
881 # recurse on multi-part mime
882 if eddymsg_obj.multipart == True:
883 for sub in eddymsg_obj.subparts:
884 flatten_decrypted_payloads(sub, replyinfo_obj, get_signed_part)
885
886 for piece in eddymsg_obj.payload_pieces:
887 if (get_signed_part):
888 if ((piece.piece_type == TxtType.detachedsig) \
889 or (piece.piece_type == TxtType.signature)) \
890 and (piece.gpg_data != None) \
891 and (piece.gpg_data.plainobj != None):
892 flatten_decrypted_payloads(piece.gpg_data.plainobj, replyinfo_obj, False)
893 replyinfo_obj.target_key = piece.gpg_data.sigs[0]
894 break
895 else:
896 if (eddymsg_obj.content_disposition == None \
897 or not eddymsg_obj.content_disposition.startswith("attachment")) \
898 and piece.piece_type == TxtType.text:
899 replyinfo_obj.msg_to_quote += piece.string
900
901
902 def get_key_from_fp (replyinfo_obj, gpgme_ctx):
903 """Obtains a public key object from a key fingerprint
904
905 If the .target_key is not set, then we use .fallback_target_key, if
906 available.
907
908 Args:
909 replyinfo_obj: ReplyInfo instance
910 gpgme_ctx: the gpgme context
911
912 Return:
913 Nothing
914
915 Pre:
916 Loading a key requires that we have the public key imported. This
917 requires that they email contains the pub key block, or that it was
918 previously sent to edward.
919
920 Post:
921 If the key can be loaded, then replyinfo_obj.reply_to_key points to the
922 public key object. If the key cannot be loaded, then the replyinfo_obj
923 is marked as having no public key available. If the key is not capable
924 of encryption, it will not be used, and replyinfo_obj will be marked
925 accordingly.
926 """
927
928 for key in (replyinfo_obj.target_key, replyinfo_obj.fallback_target_key):
929 if key != None:
930 try:
931 encrypt_to_key = gpgme_ctx.get_key(key)
932
933 except gpgme.GpgmeError:
934 continue
935
936 if is_key_usable(encrypt_to_key):
937 replyinfo_obj.encrypt_to_key = encrypt_to_key
938 replyinfo_obj.have_reply_key = True
939 replyinfo_obj.key_can_encrypt = True
940 return
941
942 else:
943 replyinfo_obj.key_cannot_encrypt = True
944
945
946
947 def write_reply (replyinfo_obj):
948 """Write the reply email body about the GPG successes/failures.
949
950 The reply is about whether decryption, sig verification and key
951 import/loading was successful or failed. If text was successfully decrypted
952 and verified, then the first instance of such text will be included in
953 quoted form.
954
955 Args:
956 replyinfo_obj: contains details of GPG processing status
957
958 Returns:
959 the plaintext message to be sent to the user
960
961 Pre:
962 replyinfo_obj should be populated with info about GPG processing status.
963 """
964
965 reply_plain = ""
966
967 if (replyinfo_obj.pubkey_success == True):
968 reply_plain += replyinfo_obj.replies['greeting']
969 reply_plain += "\n\n"
970
971
972 if replyinfo_obj.decrypt_success == True:
973 debug('decrypt success')
974 reply_plain += replyinfo_obj.replies['success_decrypt']
975 reply_plain += "\n\n"
976
977 elif replyinfo_obj.decrypt_failure == True:
978 debug('decrypt failure')
979 reply_plain += replyinfo_obj.replies['failed_decrypt']
980 reply_plain += "\n\n"
981
982
983 if replyinfo_obj.sig_success == True:
984 debug('signature success')
985 reply_plain += replyinfo_obj.replies['sig_success']
986 reply_plain += "\n\n"
987
988 elif replyinfo_obj.sig_failure == True:
989 debug('signature failure')
990 reply_plain += replyinfo_obj.replies['sig_failure']
991 reply_plain += "\n\n"
992
993
994 if (replyinfo_obj.pubkey_success == True):
995 debug('public key received')
996 reply_plain += replyinfo_obj.replies['public_key_received']
997 reply_plain += "\n\n"
998
999 elif (replyinfo_obj.sigkey_missing == True):
1000 debug('no public key')
1001 reply_plain += replyinfo_obj.replies['no_public_key']
1002 reply_plain += "\n\n"
1003
1004 elif (replyinfo_obj.key_can_encrypt == False) \
1005 and (replyinfo_obj.key_cannot_encrypt == True):
1006 debug('bad public key')
1007 reply_plain += replyinfo_obj.replies['no_public_key']
1008 reply_plain += "\n\n"
1009
1010
1011 if (replyinfo_obj.decrypt_success == True) \
1012 and (replyinfo_obj.sig_success == True) \
1013 and (replyinfo_obj.have_reply_key == True):
1014 debug('message quoted')
1015 reply_plain += replyinfo_obj.replies['quote_follows']
1016 reply_plain += "\n\n"
1017 quoted_text = email_quote_text(replyinfo_obj.msg_to_quote)
1018 reply_plain += quoted_text
1019 reply_plain += "\n\n"
1020
1021
1022 if (reply_plain == ""):
1023 debug('plaintext message')
1024 reply_plain += replyinfo_obj.replies['failed_decrypt']
1025 reply_plain += "\n\n"
1026
1027
1028 reply_plain += replyinfo_obj.replies['signature']
1029 reply_plain += "\n\n"
1030
1031 return reply_plain
1032
1033
1034 def add_gpg_key (key_block, gpgme_ctx):
1035 """Adds a GPG pubkey to the local keystore
1036
1037 This adds keys received through email into the key store so they can be
1038 used later.
1039
1040 Args:
1041 key_block: the string form of the ascii-armored public key block
1042 gpgme_ctx: the gpgme context
1043
1044 Returns:
1045 the fingerprint(s) of the imported key(s) which can be used for
1046 encryption, and a boolean marking whether none of the keys are capable
1047 of encryption.
1048 """
1049
1050 fp = io.BytesIO(key_block.encode('ascii'))
1051
1052 try:
1053 result = gpgme_ctx.import_(fp)
1054 imports = result.imports
1055 except gpgme.GpgmeError:
1056 imports = []
1057
1058 key_fingerprints = []
1059 key_cannot_encrypt = False
1060
1061 for import_res in imports:
1062 fingerprint = import_res[0]
1063
1064 try:
1065 key_obj = gpgme_ctx.get_key(fingerprint)
1066 except:
1067 key_obj = None
1068
1069 if key_obj != None and is_key_usable(key_obj):
1070 key_fingerprints += [fingerprint]
1071 key_cannot_encrypt = False
1072
1073 debug("added gpg key: " + fingerprint)
1074
1075 elif key_fingerprints == []:
1076 key_cannot_encrypt = True
1077
1078 return (key_fingerprints, key_cannot_encrypt)
1079
1080
1081 def verify_sig_message (msg_block, gpgme_ctx):
1082 """Verifies the signature of a signed, ascii-armored block of text.
1083
1084 It encodes the string into ascii, since binary GPG files are currently
1085 unsupported, and alternative, the ascii-armored format is encodable into
1086 ascii.
1087
1088 Args:
1089 msg_block: a GPG Message block in string form. It may be encrypted or
1090 not. If it is encrypted, it will return empty results.
1091 gpgme_ctx: the gpgme context
1092
1093 Returns:
1094 A tuple containing the plaintext bytes of the signed part, the list of
1095 fingerprints of encryption-capable keys signing the data, a boolean
1096 marking whether edward is missing all public keys for validating any of
1097 the signatures, and a boolean marking whether all sigs' keys are
1098 incapable of encryption. If verification failed, perhaps because the
1099 message was also encrypted, sensible default values are returned.
1100 """
1101
1102 block_b = io.BytesIO(msg_block.encode('ascii'))
1103 plain_b = io.BytesIO()
1104
1105 try:
1106 sigs = gpgme_ctx.verify(block_b, None, plain_b)
1107 except gpgme.GpgmeError:
1108 return ("",[],False,False)
1109
1110 plaintext_b = plain_b.getvalue()
1111
1112 (fingerprints, sigkey_missing, key_cannot_encrypt) = get_signature_fp(sigs, gpgme_ctx)
1113
1114 return (plaintext_b, fingerprints, sigkey_missing, key_cannot_encrypt)
1115
1116
1117 def verify_detached_signature (detached_sig, plaintext_bytes, gpgme_ctx):
1118 """Verifies the signature of a detached signature.
1119
1120 This requires the signature part and the signed part as separate arguments.
1121
1122 Args:
1123 detached_sig: the signature part of the detached signature
1124 plaintext_bytes: the byte form of the message being signed.
1125 gpgme_ctx: the gpgme context
1126
1127 Returns:
1128 A tuple containging a list of encryption capable signing fingerprints
1129 if the signature verification was sucessful, a boolean marking whether
1130 edward is missing all public keys for validating any of the signatures,
1131 and a boolean marking whether all signing keys are incapable of
1132 encryption. Otherwise, a tuple containing an empty list and True are
1133 returned.
1134 """
1135
1136 detached_sig_fp = io.BytesIO(detached_sig.encode('ascii'))
1137 plaintext_fp = io.BytesIO(plaintext_bytes)
1138
1139 try:
1140 sigs = gpgme_ctx.verify(detached_sig_fp, plaintext_fp, None)
1141 except gpgme.GpgmeError:
1142 return ([],False,False)
1143
1144 (fingerprints, sigkey_missing, key_cannot_encrypt) = get_signature_fp(sigs, gpgme_ctx)
1145
1146 return (fingerprints, sigkey_missing, key_cannot_encrypt)
1147
1148
1149 def decrypt_block (msg_block, gpgme_ctx):
1150 """Decrypts a block of GPG text and verifies any included sigatures.
1151
1152 Some encypted messages have embeded signatures, so those are verified too.
1153
1154 Args:
1155 msg_block: the encrypted(/signed) text
1156 gpgme_ctx: the gpgme context
1157
1158 Returns:
1159 A tuple containing plaintext bytes, encryption-capable signatures (if
1160 decryption and signature verification were successful, respectively), a
1161 boolean marking whether edward is missing all public keys for
1162 validating any of the signatures, and a boolean marking whether all
1163 signature keys are incapable of encryption.
1164 """
1165
1166 block_b = io.BytesIO(msg_block.encode('ascii'))
1167 plain_b = io.BytesIO()
1168
1169 try:
1170 sigs = gpgme_ctx.decrypt_verify(block_b, plain_b)
1171 except gpgme.GpgmeError:
1172 return ("",[],False,False)
1173
1174 plaintext_b = plain_b.getvalue()
1175
1176 (fingerprints, sigkey_missing, key_cannot_encrypt) = get_signature_fp(sigs, gpgme_ctx)
1177
1178 return (plaintext_b, fingerprints, sigkey_missing, key_cannot_encrypt)
1179
1180
1181 def get_signature_fp (sigs, gpgme_ctx):
1182 """Selects valid signatures from output of gpgme signature verifying functions
1183
1184 get_signature_fp returns a list of valid signature fingerprints if those
1185 fingerprints are associated with available keys capable of encryption.
1186
1187 Args:
1188 sigs: a signature verification result object list
1189 gpgme_ctx: a gpgme context
1190
1191 Returns:
1192 fingerprints: a list of fingerprints
1193 sigkey_missing: a boolean marking whether public keys are missing for
1194 all available signatures.
1195 key_cannot_encrypt: a boolearn marking whether available public keys are
1196 incapable of encryption.
1197 """
1198
1199 sigkey_missing = False
1200 key_cannot_encrypt = False
1201 fingerprints = []
1202
1203 for sig in sigs:
1204 if (sig.summary == 0) or (sig.summary & gpgme.SIGSUM_VALID != 0) or (sig.summary & gpgme.SIGSUM_GREEN != 0):
1205 try:
1206 key_obj = gpgme_ctx.get_key(sig.fpr)
1207 except:
1208 if fingerprints == []:
1209 sigkey_missing = True
1210 continue
1211
1212 if is_key_usable(key_obj):
1213 fingerprints += [sig.fpr]
1214 key_cannot_encrypt = False
1215 sigkey_missing = False
1216
1217 elif fingerprints == []:
1218 key_cannot_encrypt = True
1219
1220 elif fingerprints == []:
1221 if (sig.summary & gpgme.SIGSUM_KEY_MISSING != 0):
1222 sigkey_missing = True
1223
1224 return (fingerprints, sigkey_missing, key_cannot_encrypt)
1225
1226
1227 def is_key_usable (key_obj):
1228 """Returns boolean representing key usability regarding encryption
1229
1230 Tests various feature of key and returns usability
1231
1232 Args:
1233 key_obj: a gpgme key object
1234
1235 Returns:
1236 A boolean representing key usability
1237 """
1238 if key_obj.can_encrypt and not key_obj.invalid and not key_obj.expired \
1239 and not key_obj.revoked and not key_obj.disabled:
1240 return True
1241 else:
1242 return False
1243
1244
1245 def email_to_reply_to_subject (email_bytes):
1246 """Returns the email's To:, Reply-To: (or From:), and Subject: fields
1247
1248 Returns this information from an email.
1249
1250 Args:
1251 email_bytes: the byte string form of the email
1252
1253 Returns:
1254 the email To:, Reply-To: (or From:), and Subject: fields as strings
1255 """
1256
1257 email_struct = email.parser.BytesHeaderParser().parsebytes(email_bytes)
1258
1259 email_to = email_struct['To']
1260 email_from = email_struct['From']
1261 email_reply_to = email_struct['Reply-To']
1262
1263 email_subject = email_struct['Subject']
1264
1265 if email_reply_to == None:
1266 email_reply_to = email_from
1267
1268 return email_to, email_reply_to, email_subject
1269
1270
1271 def import_lang_pick_address(email_to, hostname):
1272 """Imports language file for i18n support; makes reply from address
1273
1274 The language imported depends on the To: address of the email received by
1275 edward. an -en ending implies the English language, whereas a -ja ending
1276 implies Japanese. The list of supported languages is listed in the 'langs'
1277 list at the beginning of the program. This function also chooses the
1278 language-dependent address which can be used as the From address in the
1279 reply email.
1280
1281 Args:
1282 email_to: the string containing the email address that the mail was
1283 sent to.
1284 hostname: the hostname part of the reply email's from address
1285
1286 Returns:
1287 the reference to the imported language module. The only variable in
1288 this file is the 'replies' dictionary.
1289 """
1290
1291 # default
1292 use_lang = "en"
1293
1294 if email_to != None:
1295 for lang in langs:
1296 if "edward-" + lang in email_to:
1297 use_lang = lang
1298 break
1299
1300 lang_mod_name = "lang." + re.sub('-', '_', use_lang)
1301 lang_module = importlib.import_module(lang_mod_name)
1302
1303 reply_from = "edward-" + use_lang + "@" + hostname
1304
1305 return lang_module, reply_from
1306
1307
1308 def generate_encrypted_mime (plaintext, email_to, email_subject, encrypt_to_key,
1309 gpgme_ctx):
1310 """This function creates the mime email reply. It can encrypt the email.
1311
1312 If the encrypt_key is included, then the email is encrypted and signed.
1313 Otherwise it is unencrypted.
1314
1315 Args:
1316 plaintext: the plaintext body of the message to create.
1317 email_to: the email address to reply to
1318 email_subject: the subject to use in reply
1319 encrypt_to_key: the key object to use for encrypting the email. (or
1320 None)
1321 gpgme_ctx: the gpgme context
1322
1323 Returns
1324 A string version of the mime message, possibly encrypted and signed.
1325 """
1326
1327 plaintext_mime = MIMEText(plaintext)
1328 plaintext_mime.set_charset('utf-8')
1329
1330 if (encrypt_to_key != None):
1331
1332 encrypted_text = encrypt_sign_message(plaintext_mime.as_string(),
1333 encrypt_to_key,
1334 gpgme_ctx)
1335
1336 control_mime = MIMEApplication("Version: 1",
1337 _subtype='pgp-encrypted',
1338 _encoder=email.encoders.encode_7or8bit)
1339 control_mime['Content-Description'] = 'PGP/MIME version identification'
1340 control_mime.set_charset('us-ascii')
1341
1342 encoded_mime = MIMEApplication(encrypted_text,
1343 _subtype='octet-stream; name="encrypted.asc"',
1344 _encoder=email.encoders.encode_7or8bit)
1345 encoded_mime['Content-Description'] = 'OpenPGP encrypted message'
1346 encoded_mime['Content-Disposition'] = 'inline; filename="encrypted.asc"'
1347 encoded_mime.set_charset('us-ascii')
1348
1349 message_mime = MIMEMultipart(_subtype="encrypted", protocol="application/pgp-encrypted")
1350 message_mime.attach(control_mime)
1351 message_mime.attach(encoded_mime)
1352 message_mime['Content-Disposition'] = 'inline'
1353
1354 else:
1355 message_mime = plaintext_mime
1356
1357 message_mime['To'] = email_to
1358 message_mime['Subject'] = email_subject
1359
1360 reply = message_mime.as_string()
1361
1362 return reply
1363
1364
1365 def send_reply(email_txt, reply_to, reply_from):
1366 """Sends reply email
1367
1368 Sent to original sender
1369
1370 Args:
1371 email_txt: message as a string
1372 reply_to: recipient of reply
1373 reply_from: edward's specific email address
1374
1375 Post:
1376 Email is sent
1377 """
1378
1379 if reply_to == None:
1380 error("*** ERROR: No one to send email to.")
1381 exit(1)
1382
1383 s = smtplib.SMTP('localhost')
1384 s.sendmail(reply_from, reply_to, email_txt)
1385 s.quit()
1386
1387
1388 def email_quote_text (text):
1389 """Quotes input text by inserting "> "s
1390
1391 This is useful for quoting a text for the reply message. It inserts "> "
1392 strings at the beginning of lines.
1393
1394 Args:
1395 text: plain text to quote
1396
1397 Returns:
1398 Quoted text
1399 """
1400
1401 quoted_message = re.sub(r'^', r'> ', text, flags=re.MULTILINE)
1402
1403 return quoted_message
1404
1405
1406 def encrypt_sign_message (plaintext, encrypt_to_key, gpgme_ctx):
1407 """Encrypts and signs plaintext
1408
1409 This encrypts and signs a message.
1410
1411 Args:
1412 plaintext: text to sign and ecrypt
1413 encrypt_to_key: the key object to encrypt to
1414 gpgme_ctx: the gpgme context
1415
1416 Returns:
1417 An encrypted and signed string of text
1418 """
1419
1420 # the plaintext should be mime encoded in an ascii-compatible form
1421 plaintext_bytes = io.BytesIO(plaintext.encode('ascii'))
1422 encrypted_bytes = io.BytesIO()
1423
1424 gpgme_ctx.encrypt_sign([encrypt_to_key], gpgme.ENCRYPT_ALWAYS_TRUST,
1425 plaintext_bytes, encrypted_bytes)
1426
1427 encrypted_txt = encrypted_bytes.getvalue().decode('ascii')
1428 return encrypted_txt
1429
1430
1431 def error (error_msg):
1432 """Write an error message to stdout
1433
1434 The error message includes the program name.
1435
1436 Args:
1437 error_msg: the message to print
1438
1439 Returns:
1440 Nothing
1441
1442 Post:
1443 An error message is printed to stdout
1444 """
1445
1446 sys.stderr.write(progname + ": " + str(error_msg) + "\n")
1447
1448
1449 def debug (debug_msg):
1450 """Writes a debug message to stdout if debug == True
1451
1452 If the debug option is set in edward_config.py, then the passed message
1453 gets printed to stdout.
1454
1455 Args:
1456 debug_msg: the message to print to stdout
1457
1458 Returns:
1459 Nothing
1460
1461 Post:
1462 A debug message is printed to stdout
1463 """
1464
1465 if edward_config.debug == True:
1466 error(debug_msg)
1467
1468
1469 def handle_args ():
1470 """Sets the progname variable and processes optional argument
1471
1472 If there are more than two arguments then edward complains and quits. An
1473 single "-p" argument sets the print_reply_only option, which makes edward
1474 print email replies instead of mailing them.
1475
1476 Args:
1477 None
1478
1479 Returns:
1480 True if edward should print arguments instead of mailing them,
1481 otherwise it returns False.
1482
1483 Post:
1484 Exits with error 1 if there are more than two arguments, otherwise
1485 returns the print_reply_only option.
1486 """
1487
1488 global progname
1489 progname = sys.argv[0]
1490
1491 print_reply_only = False
1492
1493 if len(sys.argv) > 2:
1494 print(progname + " usage: " + progname + " [-p]\n\n" \
1495 + " -p print reply message to stdout, do not mail it\n", \
1496 file=sys.stderr)
1497 exit(1)
1498
1499 elif (len(sys.argv) == 2) and (sys.argv[1] == "-p"):
1500 print_reply_only = True
1501
1502 return print_reply_only
1503
1504
1505 if __name__ == "__main__":
1506 """Executes main if this file is not loaded interactively"""
1507
1508 main()
1509