count sig/encryption block combos as signatures
[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/CURRENT/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 importlib
41 import subprocess
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", "fr", "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' and 'description_list' come from the mime
96 part parameters.
97 """
98
99 multipart = False
100 subparts = []
101
102 payload_bytes = None
103 payload_pieces = []
104
105 filename = None
106 content_type = None
107 description_list = None
108
109
110 class PayloadPiece (object):
111 """
112 PayloadPiece represents a complte or sub-section of a mime part.
113
114 Instances of this class are often strung together within one or more arrays
115 pointed to by each instance of the EddyMsg class.
116
117 'piece_type' refers to an enum whose value describes the content of
118 'string'. Examples include TxtType.pubkey, for public keys, and
119 TxtType.message, for encrypted data (or armored signatures until they are
120 known to be such.) Some of the names derive from the header and footer of
121 each of these ascii-encoded gpg blocks.
122
123 'string' contains some string of text, such as non-GPG text, an encrypted
124 block of text, a signature, or a public key.
125
126 'gpg_data' points to any instances of GPGData that have been created based
127 on the contents of 'string'.
128 """
129
130 piece_type = None
131 string = None
132 gpg_data = None
133
134
135 class GPGData (object):
136 """
137 GPGData holds info from decryption, sig. verification, and/or pub. keys.
138
139 Instances of this class contain decrypted information, signature
140 fingerprints and/or fingerprints of processed and imported public keys.
141
142 'decrypted' is set to True if 'plainobj' was created from encrypted data.
143
144 'plainobj' points to any decrypted, or signed part of, a GPG signature. It
145 is intended to be an instance of the EddyMsg class.
146
147 'sigs' is a list of fingerprints of keys used to sign the data in plainobj.
148
149 'keys' is a list of fingerprints of keys obtained in public key blocks.
150 """
151
152 decrypted = False
153
154 plainobj = None
155 sigs = []
156 keys = []
157
158
159 class ReplyInfo (object):
160 """
161 ReplyInfo contains details that edward uses in generating its reply.
162
163 Instances of this class contain information about whether a message was
164 successfully encrypted or signed, and whether a public key was attached, or
165 retrievable, from the local GPG store. It stores the fingerprints of
166 potential encryption key candidates and the message (if any at all) to
167 quote in edward's reply.
168
169 'replies' points one of the dictionaries of translated replies.
170
171 'target_key' refers to the fingerprint of a key used to sign encrypted
172 data. This is the preferred key, if it is set, and if is available.
173
174 'fallback_target_key' referst to the fingerprint of a key used to sign
175 unencrypted data; alternatively it may be a public key attached to the
176 message.
177
178 'msg_to_quote' refers to the part of a message which edward should quote in
179 his reply. This should remain as None if there was no encrypted and singed
180 part. This is to avoid making edward a service for decrypting other
181 people's messages to edward.
182
183 'success_decrypt' is set to True if edward could decrypt part of the
184 message.
185
186 'failed_decrypt' is set to True if edward failed to decrypt part of the
187 message.
188
189 'publick_key_received' is set to True if edward successfully imported a
190 public key.
191
192 'no_public_key' is set to True if edward doesn't have a key to encrypt to
193 when replying to the user.
194
195 'sig_success' is set to True if edward could to some extent verify the
196 signature of a signed part of the message to edward.
197
198 'sig_failure' is set to True if edward failed to some extent verify the
199 signature of a signed part of the message to edward.
200 """
201
202 replies = None
203
204 target_key = None
205 fallback_target_key = None
206 msg_to_quote = ""
207
208 success_decrypt = False
209 failed_decrypt = False
210 public_key_received = False
211 no_public_key = False
212 sig_success = False
213 sig_failure = False
214
215
216 def main ():
217
218 """
219 This is the main function for edward, a GPG reply bot.
220
221 Edward responds to GPG-encrypted and signed mail, encrypting and signing
222 the response if the user's public key is, or was, included in the message.
223
224 Args:
225 None
226
227 Returns:
228 Nothing
229
230 Pre:
231 Mime or plaintext email passing in through standard input. Portions of
232 the email may be encrypted. If the To: address contains the text
233 "edward-ja", then the reply will contain a reply written in the
234 Japanese language. There are other languages as well. The default
235 language is English.
236
237 Post:
238 A reply email will be printed to standard output. The contents of the
239 reply email depends on whether the original email was encrypted or not,
240 has or doesn't have a signature, whether a public key used in the
241 original message is provided or locally stored, and the language
242 implied by the To: address in the original email.
243 """
244
245 print_reply_only = handle_args()
246
247 gpgme_ctx = get_gpg_context(edward_config.gnupghome,
248 edward_config.sign_with_key)
249
250 email_text = sys.stdin.read()
251 email_struct = parse_pgp_mime(email_text, gpgme_ctx)
252
253 email_to, email_from, email_subject = email_to_from_subject(email_text)
254 lang, reply_from = import_lang_pick_address(email_to, edward_config.hostname)
255
256 replyinfo_obj = ReplyInfo()
257 replyinfo_obj.replies = lang.replies
258
259 prepare_for_reply(email_struct, replyinfo_obj)
260 encrypt_to_key = get_key_from_fp(replyinfo_obj, gpgme_ctx)
261 reply_plaintext = write_reply(replyinfo_obj)
262
263 reply_mime = generate_encrypted_mime(reply_plaintext, email_from, \
264 email_subject, encrypt_to_key,
265 gpgme_ctx)
266
267 if print_reply_only == True:
268 print(reply_mime)
269 else:
270 send_reply(reply_mime, email_subject, email_from, reply_from)
271
272
273 def get_gpg_context (gnupghome, sign_with_key_fp):
274 """
275 This function returns the GPG context needed for encryption and signing.
276
277 The context is needed by other functions which use GPG functionality.
278
279 Args:
280 gnupghome: The path to "~/.gnupg/" or its alternative.
281 sign_with_key: The fingerprint of the key to sign with
282
283 Returns:
284 A gpgme context to be used for GPG functions.
285
286 Post:
287 the 'armor' flag is set to True and the list of signing keys contains
288 the single specified key
289 """
290
291 os.environ['GNUPGHOME'] = gnupghome
292
293 gpgme_ctx = gpgme.Context()
294 gpgme_ctx.armor = True
295
296 try:
297 sign_with_key = gpgme_ctx.get_key(sign_with_key_fp)
298 except gpgme.GpgmeError:
299 error("unable to load signing key. is the gnupghome "
300 + "and signing key properly set in the edward_config.py?")
301 exit(1)
302
303 gpgme_ctx.signers = [sign_with_key]
304
305 return gpgme_ctx
306
307
308 def parse_pgp_mime (email_text, gpgme_ctx):
309 """Parses the email for mime payloads and decrypts/verfies signatures.
310
311 This function creates a representation of a mime or plaintext email with
312 the EddyMsg class. It then splits each mime payload into one or more pieces
313 which may be plain text or GPG data. It then decrypts encrypted parts and
314 does some very basic signature verification on those parts.
315
316 Args:
317 email_text: an email message in string format
318 gpgme_ctx: a gpgme context
319
320 Returns:
321 A message as an instance of EddyMsg
322
323 Post:
324 the returned EddyMsg instance has split, decrypted, verified and pubkey
325 imported payloads
326 """
327
328 email_struct = email.parser.Parser().parsestr(email_text)
329
330 eddymsg_obj = parse_mime(email_struct)
331 split_payloads(eddymsg_obj)
332 gpg_on_payloads(eddymsg_obj, gpgme_ctx)
333
334 return eddymsg_obj
335
336
337 def parse_mime(msg_struct):
338 """Translates python's email.parser format into an EddyMsg format
339
340 If the message is multi-part, then a recursive object is created, where
341 each sub-part is also a EddyMsg instance.
342
343 Args:
344 msg_struct: an email parsed with email.parser.Parser(), which can be
345 multi-part
346
347 Returns:
348 an instance of EddyMsg, potentially a recursive one.
349 """
350
351 eddymsg_obj = EddyMsg()
352
353 if msg_struct.is_multipart() == True:
354 payloads = msg_struct.get_payload()
355
356 eddymsg_obj.multipart = True
357 eddymsg_obj.subparts = list(map(parse_mime, payloads))
358
359 else:
360 eddymsg_obj = get_subpart_data(msg_struct)
361
362 return eddymsg_obj
363
364
365 def scan_and_split (payload_piece, match_name, pattern):
366 """This splits the payloads of an EddyMsg object into GPG and text parts.
367
368 An EddyMsg object's payload_pieces starts off as a list containing a single
369 PayloadPiece object. This function returns a list of these objects which
370 have been split into GPG data and regular text, if such splits need to be/
371 can be made.
372
373 Args:
374 payload_piece: a single payload or a split part of a payload
375 match_name: the type of data to try to spit out from the payload piece
376 pattern: the search pattern to be used for finding that type of data
377
378 Returns:
379 a list of objects of the PayloadPiece class, in the order that the
380 string part of payload_piece originally was, broken up according to
381 matches specified by 'pattern'.
382 """
383
384 # don't try to re-split pieces containing gpg data
385 if payload_piece.piece_type != TxtType.text:
386 return [payload_piece]
387
388 flags = re.DOTALL | re.MULTILINE
389 matches = re.search("(?P<beginning>.*?)(?P<match>" + pattern +
390 ")(?P<rest>.*)", payload_piece.string, flags=flags)
391
392 if matches == None:
393 pieces = [payload_piece]
394
395 else:
396
397 beginning = PayloadPiece()
398 beginning.string = matches.group('beginning')
399 beginning.piece_type = payload_piece.piece_type
400
401 match = PayloadPiece()
402 match.string = matches.group('match')
403 match.piece_type = match_name
404
405 rest = PayloadPiece()
406 rest.string = matches.group('rest')
407 rest.piece_type = payload_piece.piece_type
408
409 more_pieces = scan_and_split(rest, match_name, pattern)
410 pieces = [beginning, match ] + more_pieces
411
412 return pieces
413
414
415 def get_subpart_data (part):
416 """This function grabs information from a single part mime object.
417
418 It copies needed data from a single part email.parser.Parser() object over
419 to an EddyMsg object.
420
421 Args:
422 part: a non-multi-part mime.parser.Parser() object
423
424 Returns:
425 a single-part EddyMsg() object
426 """
427
428 charset = part.get_content_charset()
429 mime_decoded_bytes = part.get_payload(decode=True)
430
431 obj = EddyMsg()
432 obj.payload_bytes = part.as_bytes()
433
434 obj.filename = part.get_filename()
435 obj.content_type = part.get_content_type()
436 obj.description_list = part['content-description']
437
438 # your guess is as good as a-myy-ee-ine...
439 if charset == None:
440 charset = 'utf-8'
441
442 if mime_decoded_bytes != None:
443 try:
444 payload = PayloadPiece()
445 payload.string = mime_decoded_bytes.decode(charset)
446 payload.piece_type = TxtType.text
447
448 obj.payload_pieces = [payload]
449 except UnicodeDecodeError:
450 pass
451
452 return obj
453
454
455 def do_to_eddys_pieces (function_to_do, eddymsg_obj, data):
456 """A function which maps another function onto a message's subparts.
457
458 This is a higer-order function which recursively performs a specified
459 function on each subpart of a multi-part message. Each single-part sub-part
460 has the function applied to it. This function also works if the part passed
461 in is single-part.
462
463 Args:
464 function_to_do: function to perform on sub-parts
465 eddymsg_obj: a single part or multi-part EddyMsg object
466 data: a second argument to pass to 'function_to_do'
467
468 Returns:
469 Nothing
470
471 Post:
472 The passed-in EddyMsg object is transformed recursively on its
473 sub-parts according to 'function_to_do'.
474 """
475
476 if eddymsg_obj.multipart == True:
477 for sub in eddymsg_obj.subparts:
478 do_to_eddys_pieces(function_to_do, sub, data)
479 else:
480 function_to_do(eddymsg_obj, data)
481
482
483 def split_payloads (eddymsg_obj):
484 """Splits all (sub-)payloads of a message into GPG data and regular text.
485
486 Recursively performs payload splitting on all sub-parts of an EddyMsg
487 object into the various GPG data types, such as GPG messages, public key
488 blocks and signed text.
489
490 Args:
491 eddymsg_obj: an instance of EddyMsg
492
493 Returns:
494 Nothing
495
496 Pre:
497 The EddyMsg object has payloads that are unsplit (by may be split)..
498
499 Post:
500 The EddyMsg object's payloads are all split into GPG and non-GPG parts.
501 """
502
503 for match_pair in match_pairs:
504 do_to_eddys_pieces(split_payload_pieces, eddymsg_obj, match_pair)
505
506
507 def split_payload_pieces (eddymsg_obj, match_pair):
508 """A helper function for split_payloads(); works on PayloadPiece objects.
509
510 This function splits up PayloadPiece objects into multipe PayloadPiece
511 objects and replaces the EddyMsg object's previous list of payload pieces
512 with the new split up one.
513
514 Args:
515 eddymsg_obj: a single-part EddyMsg object.
516 match_pair: a tuple from the match_pairs list, which specifies a match
517 name and a match pattern.
518
519 Returns:
520 Nothing
521
522 Pre:
523 The payload piece(s) of an EddyMsg object may be already split or
524 unsplit.
525
526 Post:
527 The EddyMsg object's payload piece(s) are split into a list of pieces
528 if matches of the match_pair are found.
529 """
530
531 (match_name, pattern) = match_pair
532
533 new_pieces_list = []
534 for piece in eddymsg_obj.payload_pieces:
535 new_pieces_list += scan_and_split(piece, match_name, pattern)
536
537 eddymsg_obj.payload_pieces = new_pieces_list
538
539
540 def gpg_on_payloads (eddymsg_obj, gpgme_ctx, prev_parts=[]):
541 """Performs GPG operations on the GPG parts of the message
542
543 This function decrypts text, verifies signatures, and imports public keys
544 included in an email.
545
546 Args:
547 eddymsg_obj: an EddyMsg object with its payload_pieces split into GPG
548 and non-GPG sections by split_payloads()
549 gpgme_ctx: a gpgme context
550
551 prev_parts: a list of mime parts that occur before the eddymsg_obj
552 part, under the same multi-part mime part. This is used for
553 verifying detached signatures. For the root mime part, this should
554 be an empty list, which is the default value if this paramater is
555 omitted.
556
557 Return:
558 Nothing
559
560 Pre:
561 eddymsg_obj should have its payloads split into gpg and non-gpg pieces.
562
563 Post:
564 Decryption, verification and key imports occur. the gpg_data member of
565 PayloadPiece objects get filled in with GPGData objects.
566 """
567
568 if eddymsg_obj.multipart == True:
569 prev_parts=[]
570 for sub in eddymsg_obj.subparts:
571 gpg_on_payloads (sub, gpgme_ctx, prev_parts)
572 prev_parts += [sub]
573
574 return
575
576 for piece in eddymsg_obj.payload_pieces:
577
578 if piece.piece_type == TxtType.text:
579 # don't transform the plaintext.
580 pass
581
582 elif piece.piece_type == TxtType.message:
583 (plaintext, sigs) = decrypt_block(piece.string, gpgme_ctx)
584
585 if plaintext:
586 piece.gpg_data = GPGData()
587 piece.gpg_data.decrypted = True
588 piece.gpg_data.sigs = sigs
589 # recurse!
590 piece.gpg_data.plainobj = parse_pgp_mime(plaintext, gpgme_ctx)
591 continue
592
593 # if not encrypted, check to see if this is an armored signature.
594 (plaintext, sigs) = verify_sig_message(piece.string, gpgme_ctx)
595
596 if plaintext:
597 piece.piece_type = TxtType.signature
598 piece.gpg_data = GPGData()
599 piece.gpg_data.sigs = sigs
600 # recurse!
601 piece.gpg_data.plainobj = parse_pgp_mime(plaintext, gpgme_ctx)
602
603 elif piece.piece_type == TxtType.pubkey:
604 key_fps = add_gpg_key(piece.string, gpgme_ctx)
605
606 if key_fps != []:
607 piece.gpg_data = GPGData()
608 piece.gpg_data.keys = key_fps
609
610 elif piece.piece_type == TxtType.detachedsig:
611 for prev in prev_parts:
612 sig_fps = verify_detached_signature(piece.string, prev.payload_bytes, gpgme_ctx)
613
614 if sig_fps != []:
615 piece.gpg_data = GPGData()
616 piece.gpg_data.sigs = sig_fps
617 piece.gpg_data.plainobj = prev
618 break
619
620 else:
621 pass
622
623
624 def prepare_for_reply (eddymsg_obj, replyinfo_obj):
625 """Updates replyinfo_obj with info on the message's GPG success/failures
626
627 This function marks replyinfo_obj with information about whether encrypted
628 text in eddymsg_obj was successfully decrypted, signatures were verified
629 and whether a public key was found or not.
630
631 Args:
632 eddymsg_obj: a message in the EddyMsg format
633 replyinfo_obj: an instance of ReplyInfo
634
635 Returns:
636 Nothing
637
638 Pre:
639 eddymsg_obj has had its gpg_data created by gpg_on_payloads
640
641 Post:
642 replyinfo_obj has been updated with info about decryption/sig
643 verififcation status, etc. However the desired key isn't imported until
644 later, so the success or failure of that updates the values set here.
645 """
646
647 do_to_eddys_pieces(prepare_for_reply_pieces, eddymsg_obj, replyinfo_obj)
648
649 def prepare_for_reply_pieces (eddymsg_obj, replyinfo_obj):
650 """A helper function for prepare_for_reply
651
652 It updates replyinfo_obj with GPG success/failure information, when
653 supplied a single-part EddyMsg object.
654
655 Args:
656 eddymsg_obj: a single-part message in the EddyMsg format
657 replyinfo_obj: an object which holds information about the message's
658 GPG status
659
660 Returns:
661 Nothing
662
663 Pre:
664 eddymsg_obj is a single-part message. (it may be a part of a multi-part
665 message.) It has had its gpg_data created by gpg_on_payloads if it has
666 gpg data.
667
668 Post:
669 replyinfo_obj has been updated with gpg success/failure information
670 """
671
672 for piece in eddymsg_obj.payload_pieces:
673 if piece.piece_type == TxtType.text:
674 # don't quote the plaintext part.
675 pass
676
677 elif piece.piece_type == TxtType.message:
678 prepare_for_reply_message(piece, replyinfo_obj)
679
680 elif piece.piece_type == TxtType.pubkey:
681 prepare_for_reply_pubkey(piece, replyinfo_obj)
682
683 elif (piece.piece_type == TxtType.detachedsig) \
684 or (piece.piece_type == TxtType.signature):
685 prepare_for_reply_sig(piece, replyinfo_obj)
686
687
688 def prepare_for_reply_message (piece, replyinfo_obj):
689 """Helper function for prepare_for_reply()
690
691 This function is called when the piece_type of a payload piece is
692 TxtType.message, or GPG Message block. This should be encrypted text. If the
693 encryted block is signed, a sig will be attached to .target_key unless
694 there is already one there.
695
696 Args:
697 piece: a PayloadPiece object.
698 replyinfo_obj: object which gets updated with decryption status, etc.
699
700
701 Returns:
702 Nothing
703
704 Pre:
705 the piece.payload_piece value should be TxtType.message.
706
707 Post:
708 replyinfo_obj gets updated with decryption status, signing status and a
709 potential signing key.
710 """
711
712 if piece.gpg_data == None:
713 replyinfo_obj.failed_decrypt = True
714 return
715
716 replyinfo_obj.success_decrypt = True
717
718 # we already have a key (and a message)
719 if replyinfo_obj.target_key != None:
720 return
721
722 if piece.gpg_data.sigs != []:
723 replyinfo_obj.target_key = piece.gpg_data.sigs[0]
724 replyinfo_obj.sig_success = True
725 get_signed_part = False
726 else:
727 # only include a signed message in the reply.
728 get_signed_part = True
729
730 flatten_decrypted_payloads(piece.gpg_data.plainobj, replyinfo_obj, get_signed_part)
731
732 # to catch public keys in encrypted blocks
733 prepare_for_reply(piece.gpg_data.plainobj, replyinfo_obj)
734
735
736 def prepare_for_reply_pubkey (piece, replyinfo_obj):
737 """Helper function for prepare_for_reply(). Marks pubkey import status.
738
739 Marks replyinfo_obj with pub key import status.
740
741 Args:
742 piece: a PayloadPiece object
743 replyinfo_obj: a ReplyInfo object
744
745 Pre:
746 piece.piece_type should be set to TxtType.pubkey .
747
748 Post:
749 replyinfo_obj has its fields updated.
750 """
751
752 if piece.gpg_data == None or piece.gpg_data.keys == []:
753 replyinfo_obj.no_public_key = True
754 else:
755 replyinfo_obj.public_key_received = True
756
757 # prefer public key as a fallback for the encrypted reply
758 replyinfo_obj.fallback_target_key = piece.gpg_data.keys[0]
759
760
761 def prepare_for_reply_sig (piece, replyinfo_obj):
762 """Helper function for prepare_for_reply(). Marks sig verification status.
763
764 Marks replyinfo_obj with signature verification status.
765
766 Args:
767 piece: a PayloadPiece object
768 replyinfo_obj: a ReplyInfo object
769
770 Pre:
771 piece.piece_type should be set to TxtType.signature, or
772 TxtType.detachedsig .
773
774 Post:
775 replyinfo_obj has its fields updated.
776 """
777
778 if piece.gpg_data == None or piece.gpg_data.sigs == []:
779 replyinfo_obj.sig_failure = True
780 else:
781 replyinfo_obj.sig_success = True
782
783 if replyinfo_obj.fallback_target_key == None:
784 replyinfo_obj.fallback_target_key = piece.gpg_data.sigs[0]
785
786
787 def flatten_decrypted_payloads (eddymsg_obj, replyinfo_obj, get_signed_part):
788 """For creating a string representation of a signed, encrypted part.
789
790 When given a decrypted payload, it will add either the plaintext or signed
791 plaintext to the reply message, depeding on 'get_signed_part'. This is
792 useful for ensuring that the reply message only comes from a signed and
793 ecrypted GPG message. It also sets the target_key for encrypting the reply
794 if it's told to get signed text only.
795
796 Args:
797 eddymsg_obj: the message in EddyMsg format created by decrypting GPG
798 text
799 replyinfo_obj: a ReplyInfo object for holding the message to quote and
800 the target_key to encrypt to.
801 get_signed_part: True if we should only include text that contains a
802 further signature. If False, then include plain text.
803
804 Returns:
805 Nothing
806
807 Pre:
808 The EddyMsg instance passed in should be a piece.gpg_data.plainobj
809 which represents decrypted text. It may or may not be signed on that
810 level.
811
812 Post:
813 the ReplyInfo instance may have a new 'target_key' set and its
814 'msg_to_quote' will be updated with (possibly signed) plaintext, if any
815 could be found.
816 """
817
818 if eddymsg_obj == None:
819 return
820
821 # recurse on multi-part mime
822 if eddymsg_obj.multipart == True:
823 for sub in eddymsg_obj.subparts:
824 flatten_decrypted_payloads(sub, replyinfo_obj, get_signed_part)
825
826 for piece in eddymsg_obj.payload_pieces:
827 if (get_signed_part):
828 if ((piece.piece_type == TxtType.detachedsig) \
829 or (piece.piece_type == TxtType.signature)) \
830 and (piece.gpg_data != None):
831 flatten_decrypted_payloads(piece.gpg_data.plainobj, replyinfo_obj, False)
832 replyinfo_obj.target_key = piece.gpg_data.sigs[0]
833 break
834 else:
835 if piece.piece_type == TxtType.text:
836 replyinfo_obj.msg_to_quote += piece.string
837
838
839 def get_key_from_fp (replyinfo_obj, gpgme_ctx):
840 """Obtains a public key object from a key fingerprint
841
842 If the .target_key is not set, then we use .fallback_target_key.
843
844 Args:
845 replyinfo_obj: ReplyInfo instance
846 gpgme_ctx: the gpgme context
847
848 Return:
849 The key object of the key of either the target_key or the fallback one
850 if .target_key is not set. If the key cannot be loaded, then return
851 None.
852
853 Pre:
854 Loading a key requires that we have the public key imported. This
855 requires that they email contains the pub key block, or that it was
856 previously sent to edward.
857
858 Post:
859 If the key cannot be loaded, then the replyinfo_obj is marked for
860 having no public key available.
861 """
862
863 if replyinfo_obj.target_key == None:
864 replyinfo_obj.target_key = replyinfo_obj.fallback_target_key
865
866 if replyinfo_obj.target_key != None:
867 try:
868 encrypt_to_key = gpgme_ctx.get_key(replyinfo_obj.target_key)
869 return encrypt_to_key
870
871 except gpgme.GpgmeError:
872 pass
873
874 # no available key to use
875 replyinfo_obj.target_key = None
876 replyinfo_obj.fallback_target_key = None
877
878 replyinfo_obj.no_public_key = True
879 replyinfo_obj.public_key_received = False
880
881 return None
882
883
884 def write_reply (replyinfo_obj):
885 """Write the reply email body about the GPG successes/failures.
886
887 The reply is about whether decryption, sig verification and key
888 import/loading was successful or failed. If text was successfully decrypted
889 and verified, then the first instance of such text will be included in
890 quoted form.
891
892 Args:
893 replyinfo_obj: contains details of GPG processing status
894
895 Returns:
896 the plaintext message to be sent to the user
897
898 Pre:
899 replyinfo_obj should be populated with info about GPG processing status.
900 """
901
902 reply_plain = ""
903
904 if replyinfo_obj.success_decrypt == True:
905 reply_plain += replyinfo_obj.replies['success_decrypt']
906
907 if replyinfo_obj.no_public_key == False:
908 quoted_text = email_quote_text(replyinfo_obj.msg_to_quote)
909 reply_plain += quoted_text
910
911 elif replyinfo_obj.failed_decrypt == True:
912 reply_plain += replyinfo_obj.replies['failed_decrypt']
913
914
915 if replyinfo_obj.sig_success == True:
916 reply_plain += "\n\n"
917 reply_plain += replyinfo_obj.replies['sig_success']
918
919 elif replyinfo_obj.sig_failure == True:
920 reply_plain += "\n\n"
921 reply_plain += replyinfo_obj.replies['sig_failure']
922
923
924 if replyinfo_obj.public_key_received == True:
925 reply_plain += "\n\n"
926 reply_plain += replyinfo_obj.replies['public_key_received']
927
928 elif replyinfo_obj.no_public_key == True:
929 reply_plain += "\n\n"
930 reply_plain += replyinfo_obj.replies['no_public_key']
931
932
933 reply_plain += "\n\n"
934 reply_plain += replyinfo_obj.replies['signature']
935 reply_plain += "\n"
936
937 return reply_plain
938
939
940 def add_gpg_key (key_block, gpgme_ctx):
941 """Adds a GPG pubkey to the local keystore
942
943 This adds keys received through email into the key store so they can be
944 used later.
945
946 Args:
947 key_block: the string form of the ascii-armored public key block
948 gpgme_ctx: the gpgme context
949
950 Returns:
951 the fingerprint(s) of the imported key(s)
952 """
953
954 fp = io.BytesIO(key_block.encode('ascii'))
955
956 try:
957 result = gpgme_ctx.import_(fp)
958 imports = result.imports
959 except gpgme.GpgmeError:
960 imports = []
961
962 key_fingerprints = []
963
964 if imports != []:
965 for import_ in imports:
966 fingerprint = import_[0]
967 key_fingerprints += [fingerprint]
968
969 debug("added gpg key: " + fingerprint)
970
971 return key_fingerprints
972
973
974 def verify_sig_message (msg_block, gpgme_ctx):
975 """Verifies the signature of a signed, ascii-armored block of text.
976
977 It encodes the string into ascii, since binary GPG files are currently
978 unsupported, and alternative, the ascii-armored format is encodable into
979 ascii.
980
981 Args:
982 msg_block: a GPG Message block in string form. It may be encrypted or
983 not. If it is encrypted, it will return empty results.
984 gpgme_ctx: the gpgme context
985
986 Returns:
987 A tuple of the plaintext of the signed part and the list of
988 fingerprints of keys signing the data. If verification failed, perhaps
989 because the message was also encrypted, then empty results are
990 returned.
991 """
992
993 block_b = io.BytesIO(msg_block.encode('ascii'))
994 plain_b = io.BytesIO()
995
996 try:
997 sigs = gpgme_ctx.verify(block_b, None, plain_b)
998 except gpgme.GpgmeError:
999 return ("",[])
1000
1001 plaintext = plain_b.getvalue().decode('utf-8')
1002
1003 fingerprints = []
1004 for sig in sigs:
1005 fingerprints += [sig.fpr]
1006 return (plaintext, fingerprints)
1007
1008
1009 def verify_detached_signature (detached_sig, plaintext_bytes, gpgme_ctx):
1010 """Verifies the signature of a detached signature.
1011
1012 This requires the signature part and the signed part as separate arguments.
1013
1014 Args:
1015 detached_sig: the signature part of the detached signature
1016 plaintext_bytes: the byte form of the message being signed.
1017 gpgme_ctx: the gpgme context
1018
1019 Returns:
1020 A list of signing fingerprints if the signature verification was
1021 sucessful. Otherwise, an empty list is returned.
1022 """
1023
1024 detached_sig_fp = io.BytesIO(detached_sig.encode('ascii'))
1025 plaintext_fp = io.BytesIO(plaintext_bytes)
1026
1027 try:
1028 result = gpgme_ctx.verify(detached_sig_fp, plaintext_fp, None)
1029 except gpgme.GpgmeError:
1030 return []
1031
1032 sig_fingerprints = []
1033 for res_ in result:
1034 sig_fingerprints += [res_.fpr]
1035
1036 return sig_fingerprints
1037
1038
1039 def decrypt_block (msg_block, gpgme_ctx):
1040 """Decrypts a block of GPG text, and verifies any included sigatures.
1041
1042 Some encypted messages have embeded signatures, so those are verified too.
1043
1044 Args:
1045 msg_block: the encrypted(/signed) text
1046 gpgme_ctx: the gpgme context
1047
1048 Returns:
1049 A tuple of plaintext and signatures, if the decryption and signature
1050 verification were successful, respectively.
1051 """
1052
1053 block_b = io.BytesIO(msg_block.encode('ascii'))
1054 plain_b = io.BytesIO()
1055
1056 try:
1057 sigs = gpgme_ctx.decrypt_verify(block_b, plain_b)
1058 except gpgme.GpgmeError:
1059 return ("",[])
1060
1061 plaintext = plain_b.getvalue().decode('utf-8')
1062
1063 fingerprints = []
1064 for sig in sigs:
1065 fingerprints += [sig.fpr]
1066 return (plaintext, fingerprints)
1067
1068
1069 def email_to_from_subject (email_text):
1070 """Returns the values of the email's To:, From: and Subject: fields
1071
1072 Returns this information from an email.
1073
1074 Args:
1075 email_text: the string form of the email
1076
1077 Returns:
1078 the email To:, From:, and Subject: fields as strings
1079 """
1080
1081 email_struct = email.parser.Parser().parsestr(email_text)
1082
1083 email_to = email_struct['To']
1084 email_from = email_struct['From']
1085 email_subject = email_struct['Subject']
1086
1087 return email_to, email_from, email_subject
1088
1089
1090 def import_lang_pick_address(email_to, hostname):
1091 """Imports language file for i18n support; makes reply from address
1092
1093 The language imported depends on the To: address of the email received by
1094 edward. an -en ending implies the English language, whereas a -ja ending
1095 implies Japanese. The list of supported languages is listed in the 'langs'
1096 list at the beginning of the program. This function also chooses the
1097 language-dependent address which can be used as the From address in the
1098 reply email.
1099
1100 Args:
1101 email_to: the string containing the email address that the mail was
1102 sent to.
1103 hostname: the hostname part of the reply email's from address
1104
1105 Returns:
1106 the reference to the imported language module. The only variable in
1107 this file is the 'replies' dictionary.
1108 """
1109
1110 # default
1111 use_lang = "en"
1112
1113 if email_to != None:
1114 for lang in langs:
1115 if "edward-" + lang in email_to:
1116 use_lang = lang
1117 break
1118
1119 lang_mod_name = "lang." + re.sub('-', '_', use_lang)
1120 lang_module = importlib.import_module(lang_mod_name)
1121
1122 reply_from = "edward-" + use_lang + "@" + hostname
1123
1124 return lang_module, reply_from
1125
1126
1127 def generate_encrypted_mime (plaintext, email_to, email_subject, encrypt_to_key,
1128 gpgme_ctx):
1129 """This function creates the mime email reply. It can encrypt the email.
1130
1131 If the encrypt_key is included, then the email is encrypted and signed.
1132 Otherwise it is unencrypted.
1133
1134 Args:
1135 plaintext: the plaintext body of the message to create.
1136 email_to: the email address to reply to
1137 email_subject: the subject to use in reply
1138 encrypt_to_key: the key object to use for encrypting the email. (or
1139 None)
1140 gpgme_ctx: the gpgme context
1141
1142 Returns
1143 A string version of the mime message, possibly encrypted and signed.
1144 """
1145
1146 if (encrypt_to_key != None):
1147
1148 plaintext_mime = MIMEText(plaintext)
1149 plaintext_mime.set_charset('utf-8')
1150
1151 encrypted_text = encrypt_sign_message(plaintext_mime.as_string(),
1152 encrypt_to_key,
1153 gpgme_ctx)
1154
1155 control_mime = MIMEApplication("Version: 1",
1156 _subtype='pgp-encrypted',
1157 _encoder=email.encoders.encode_7or8bit)
1158 control_mime['Content-Description'] = 'PGP/MIME version identification'
1159 control_mime.set_charset('us-ascii')
1160
1161 encoded_mime = MIMEApplication(encrypted_text,
1162 _subtype='octet-stream; name="encrypted.asc"',
1163 _encoder=email.encoders.encode_7or8bit)
1164 encoded_mime['Content-Description'] = 'OpenPGP encrypted message'
1165 encoded_mime['Content-Disposition'] = 'inline; filename="encrypted.asc"'
1166 encoded_mime.set_charset('us-ascii')
1167
1168 message_mime = MIMEMultipart(_subtype="encrypted", protocol="application/pgp-encrypted")
1169 message_mime.attach(control_mime)
1170 message_mime.attach(encoded_mime)
1171 message_mime['Content-Disposition'] = 'inline'
1172
1173 else:
1174 message_mime = MIMEText(plaintext)
1175 message_mime.set_charset('utf-8')
1176
1177 message_mime['To'] = email_to
1178 message_mime['Subject'] = email_subject
1179
1180 reply = message_mime.as_string()
1181
1182 return reply
1183
1184
1185 def send_reply(email_txt, subject, reply_to, reply_from):
1186
1187 email_bytes = email_txt.encode('ascii')
1188
1189 p = subprocess.Popen(["/usr/sbin/sendmail", "-f", reply_from, "-F", "Edward, GPG Bot", "-i", reply_to], stdin=subprocess.PIPE)
1190
1191 (stdout, stderr) = p.communicate(email_bytes)
1192
1193 if stdout != None:
1194 debug("sendmail stdout: " + str(stdout))
1195 if stderr != None:
1196 error("sendmail stderr: " + str(stderr))
1197
1198
1199 def email_quote_text (text):
1200 """Quotes input text by inserting "> "s
1201
1202 This is useful for quoting a text for the reply message. It inserts "> "
1203 strings at the beginning of lines.
1204
1205 Args:
1206 text: plain text to quote
1207
1208 Returns:
1209 Quoted text
1210 """
1211
1212 quoted_message = re.sub(r'^', r'> ', text, flags=re.MULTILINE)
1213
1214 return quoted_message
1215
1216
1217 def encrypt_sign_message (plaintext, encrypt_to_key, gpgme_ctx):
1218 """Encrypts and signs plaintext
1219
1220 This encrypts and signs a message.
1221
1222 Args:
1223 plaintext: text to sign and ecrypt
1224 encrypt_to_key: the key object to encrypt to
1225 gpgme_ctx: the gpgme context
1226
1227 Returns:
1228 An encrypted and signed string of text
1229 """
1230
1231 # the plaintext should be mime encoded in an ascii-compatible form
1232 plaintext_bytes = io.BytesIO(plaintext.encode('ascii'))
1233 encrypted_bytes = io.BytesIO()
1234
1235 gpgme_ctx.encrypt_sign([encrypt_to_key], gpgme.ENCRYPT_ALWAYS_TRUST,
1236 plaintext_bytes, encrypted_bytes)
1237
1238 encrypted_txt = encrypted_bytes.getvalue().decode('ascii')
1239 return encrypted_txt
1240
1241
1242 def error (error_msg):
1243 """Write an error message to stdout
1244
1245 The error message includes the program name.
1246
1247 Args:
1248 error_msg: the message to print
1249
1250 Returns:
1251 Nothing
1252
1253 Post:
1254 An error message is printed to stdout
1255 """
1256
1257 sys.stderr.write(progname + ": " + str(error_msg) + "\n")
1258
1259
1260 def debug (debug_msg):
1261 """Writes a debug message to stdout if debug == True
1262
1263 If the debug option is set in edward_config.py, then the passed message
1264 gets printed to stdout.
1265
1266 Args:
1267 debug_msg: the message to print to stdout
1268
1269 Returns:
1270 Nothing
1271
1272 Post:
1273 A debug message is printed to stdout
1274 """
1275
1276 if edward_config.debug == True:
1277 error(debug_msg)
1278
1279
1280 def handle_args ():
1281 """Sets the progname variable and processes optional argument
1282
1283 If there are more than two arguments then edward complains and quits. An
1284 single "-p" argument sets the print_reply_only option, which makes edward
1285 print email replies instead of mailing them.
1286
1287 Args:
1288 None
1289
1290 Returns:
1291 True if edward should print arguments instead of mailing them,
1292 otherwise it returns False.
1293
1294 Post:
1295 Exits with error 1 if there are more than two arguments, otherwise
1296 returns the print_reply_only option.
1297 """
1298
1299 global progname
1300 progname = sys.argv[0]
1301
1302 print_reply_only = False
1303
1304 if len(sys.argv) > 2:
1305 print(progname + " usage: " + progname + " [-p]\n\n" \
1306 + " -p print reply message to stdout, do not mail it\n", \
1307 file=sys.stderr)
1308 exit(1)
1309
1310 elif (len(sys.argv) == 2) and (sys.argv[1] == "-p"):
1311 print_reply_only = True
1312
1313 return print_reply_only
1314
1315
1316 if __name__ == "__main__":
1317 """Executes main if this file is not loaded interactively"""
1318
1319 main()
1320