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