File: test_totp.py

package info (click to toggle)
python-passlib 1.9.3-1
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid
  • size: 3,184 kB
  • sloc: python: 26,132; makefile: 7
file content (1687 lines) | stat: -rw-r--r-- 59,968 bytes parent folder | download
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
import datetime
import sys
import time as _time
from binascii import Error as DecodeError
from datetime import timezone
from functools import partial

import pytest

from passlib import exc
from passlib import totp as totp_module
from passlib._logging import logger
from passlib.crypto.digest import clear_lookup_hash_cache
from passlib.exc import InvalidTokenError, UsedTokenError
from passlib.totp import AES_SUPPORT, TOTP, AppWallet
from tests.utils import TestCase, time_call

PASS1 = "abcdef"
PASS2 = b"\x00\xff"
KEY1 = "4AOGGDBBQSYHNTUZ"
KEY1_RAW = b"\xe0\x1cc\x0c!\x84\xb0v\xce\x99"
KEY2_RAW = b"\xee]\xcb9\x870\x06 D\xc8y/\xa54&\xe4\x9c\x13\xc2\x18"
KEY3 = "S3JDVB7QD2R7JPXX"  # used in docstrings
KEY4 = "JBSWY3DPEHPK3PXP"  # from google keyuri spec
KEY4_RAW = b"Hello!\xde\xad\xbe\xef"

# NOTE: for randtime() below,
#       * want at least 7 bits on fractional side, to test fractional times to at least 0.01s precision
#       * want at least 32 bits on integer side, to test for 32-bit epoch issues.
#       most systems *should* have 53 bit mantissa, leaving plenty of room on both ends,
#       so using (1<<37) as scale, to allocate 16 bits on fractional side, but generate reasonable # of > 1<<32 times.
#       sanity check that we're above 44 ensures minimum requirements (44 - 37 int = 7 frac)
assert sys.float_info.radix == 2, "unexpected float_info.radix"
assert sys.float_info.mant_dig >= 44, "double precision unexpectedly small"


def _get_max_time_t():
    """
    helper to calc max_time_t constant (see below)
    """
    value = 1 << 30  # even for 32 bit systems will handle this
    year = 0
    while True:
        next_value = value << 1
        try:
            next_year = datetime.datetime.fromtimestamp(
                next_value - 1, tz=timezone.utc
            ).year
        except (ValueError, OSError, OverflowError):
            # utcfromtimestamp() may throw any of the following:
            #
            # * year out of range for datetime:
            #   py < 3.6 throws ValueError.
            #   (py 3.6.0 returns odd value instead, see workaround below)
            #
            # * int out of range for host's gmtime/localtime:
            #   py2 throws ValueError, py3 throws OSError.
            #
            # * int out of range for host's time_t:
            #   py2 throws ValueError, py3 throws OverflowError.
            #
            break

        # Workaround for python 3.6.0 issue --
        # Instead of throwing ValueError if year out of range for datetime,
        # Python 3.6 will do some weird behavior that masks high bits
        # e.g. (1<<40) -> year 36812, but (1<<41) -> year 6118.
        # (Appears to be bug http://bugs.python.org/issue29100)
        # This check stops at largest non-wrapping bit size.
        if next_year < year:
            break

        value = next_value

    # 'value-1' is maximum.
    value -= 1

    # check for crazy case where we're beyond what datetime supports
    # (caused by bug 29100 again). compare to max value that datetime
    # module supports -- datetime.datetime(9999, 12, 31, 23, 59, 59, 999999)
    max_datetime_timestamp = 253402318800
    return min(value, max_datetime_timestamp)


#: Rough approximation of max value acceptable by hosts's time_t.
#: This is frequently ~2**37 on 64 bit, and ~2**31 on 32 bit systems.
max_time_t = _get_max_time_t()


def to_b32_size(raw_size):
    return (raw_size * 8 + 4) // 5


class AppWalletTest(TestCase):
    descriptionPrefix = "passlib.totp.AppWallet"

    def test_secrets_types(self):
        """constructor -- 'secrets' param -- input types"""

        # no secrets
        wallet = AppWallet()
        assert wallet._secrets == {}
        assert not wallet.has_secrets

        # dict
        ref = {"1": b"aaa", "2": b"bbb"}
        wallet = AppWallet(ref)
        assert wallet._secrets == ref
        assert wallet.has_secrets

        # # list
        # wallet = AppWallet(list(ref.items()))
        # self.assertEqual(wallet._secrets, ref)

        # # iter
        # wallet = AppWallet(iter(ref.items()))
        # self.assertEqual(wallet._secrets, ref)

        # "tag:value" string
        wallet = AppWallet("\n 1: aaa\n# comment\n \n2: bbb   ")
        assert wallet._secrets == ref

        # ensure ":" allowed in secret
        wallet = AppWallet("1: aaa: bbb \n# comment\n \n2: bbb   ")
        assert wallet._secrets == {"1": b"aaa: bbb", "2": b"bbb"}

        # json dict
        wallet = AppWallet('{"1":"aaa","2":"bbb"}')
        assert wallet._secrets == ref

        # # json list
        # wallet = AppWallet('[["1","aaa"],["2","bbb"]]')
        # self.assertEqual(wallet._secrets, ref)

        # invalid type
        with pytest.raises(TypeError):
            AppWallet(123)

        # invalid json obj
        with pytest.raises(TypeError):
            AppWallet("[123]")

        # # invalid list items
        # self.assertRaises(ValueError, AppWallet, ["1", b"aaa"])

        # forbid empty secret
        with pytest.raises(ValueError):
            AppWallet({"1": "aaa", "2": ""})

    def test_secrets_tags(self):
        """constructor -- 'secrets' param -- tag/value normalization"""

        # test reference
        ref = {"1": b"aaa", "02": b"bbb", "C": b"ccc"}
        wallet = AppWallet(ref)
        assert wallet._secrets == ref

        # accept unicode
        wallet = AppWallet({"1": b"aaa", "02": b"bbb", "C": b"ccc"})
        assert wallet._secrets == ref

        # normalize int tags
        wallet = AppWallet({1: b"aaa", "02": b"bbb", "C": b"ccc"})
        assert wallet._secrets == ref

        # forbid non-str/int tags
        with pytest.raises(TypeError):
            AppWallet({(1,): "aaa"})

        # accept valid tags
        wallet = AppWallet({"1-2_3.4": b"aaa"})

        # forbid invalid tags
        with pytest.raises(ValueError):
            AppWallet({"-abc": "aaa"})
        with pytest.raises(ValueError):
            AppWallet({"ab*$": "aaa"})

        # coerce value to bytes
        wallet = AppWallet({"1": "aaa", "02": "bbb", "C": b"ccc"})
        assert wallet._secrets == ref

        # forbid invalid value types
        with pytest.raises(TypeError):
            AppWallet({"1": 123})
        with pytest.raises(TypeError):
            AppWallet({"1": None})
        with pytest.raises(TypeError):
            AppWallet({"1": []})

    # TODO: test secrets_path

    def test_default_tag(self):
        """constructor -- 'default_tag' param"""

        # should sort numerically
        wallet = AppWallet({"1": "one", "02": "two"})
        assert wallet.default_tag == "02"
        assert wallet.get_secret(wallet.default_tag) == b"two"

        # should sort alphabetically if non-digit present
        wallet = AppWallet({"1": "one", "02": "two", "A": "aaa"})
        assert wallet.default_tag == "A"
        assert wallet.get_secret(wallet.default_tag) == b"aaa"

        # should use honor custom tag
        wallet = AppWallet({"1": "one", "02": "two", "A": "aaa"}, default_tag="1")
        assert wallet.default_tag == "1"
        assert wallet.get_secret(wallet.default_tag) == b"one"

        # throw error on unknown value
        with pytest.raises(KeyError):
            AppWallet({"1": "one", "02": "two", "A": "aaa"}, default_tag="B")

        # should be empty
        wallet = AppWallet()
        assert wallet.default_tag is None
        with pytest.raises(KeyError):
            wallet.get_secret(None)

    # TODO: test 'cost' param
    def require_aes_support(self, canary=None):
        if AES_SUPPORT:
            canary and canary()
        else:
            assert canary
            with pytest.raises(RuntimeError):
                canary()
            raise self.skipTest("'cryptography' package not installed")

    def test_decrypt_key(self):
        """.decrypt_key()"""

        wallet = AppWallet({"1": PASS1, "2": PASS2})

        # check for support
        CIPHER1 = dict(v=1, c=13, s="6D7N7W53O7HHS37NLUFQ", k="MHCTEGSNPFN5CGBJ", t="1")
        self.require_aes_support(canary=partial(wallet.decrypt_key, CIPHER1))

        # reference key
        assert wallet.decrypt_key(CIPHER1)[0] == KEY1_RAW

        # different salt used to encrypt same raw key
        CIPHER2 = dict(v=1, c=13, s="SPZJ54Y6IPUD2BYA4C6A", k="ZGDXXTVQOWYLC2AU", t="1")
        assert wallet.decrypt_key(CIPHER2)[0] == KEY1_RAW

        # different sized key, password, and cost
        CIPHER3 = dict(
            v=1,
            c=8,
            s="FCCTARTIJWE7CPQHUDKA",
            k="D2DRS32YESGHHINWFFCELKN7Z6NAHM4M",
            t="2",
        )
        assert wallet.decrypt_key(CIPHER3)[0] == KEY2_RAW

        # wrong password should silently result in wrong key
        temp = CIPHER1.copy()
        temp.update(t="2")
        assert wallet.decrypt_key(temp)[0] == b"\xafD6.F7\xeb\x19\x05Q"

        # missing tag should throw error
        temp = CIPHER1.copy()
        temp.update(t="3")
        with pytest.raises(KeyError):
            wallet.decrypt_key(temp)

        # unknown version should throw error
        temp = CIPHER1.copy()
        temp.update(v=999)
        with pytest.raises(ValueError):
            wallet.decrypt_key(temp)

    def test_decrypt_key_needs_recrypt(self):
        """.decrypt_key() -- needs_recrypt flag"""
        self.require_aes_support()

        wallet = AppWallet({"1": PASS1, "2": PASS2}, encrypt_cost=13)

        # ref should be accepted
        ref = dict(v=1, c=13, s="AAAA", k="AAAA", t="2")
        assert not wallet.decrypt_key(ref)[1]

        # wrong cost
        temp = ref.copy()
        temp.update(c=8)
        assert wallet.decrypt_key(temp)[1]

        # wrong tag
        temp = ref.copy()
        temp.update(t="1")
        assert wallet.decrypt_key(temp)[1]

        # XXX: should this check salt_size?

    def assertSaneResult(self, result, wallet, key, tag="1", needs_recrypt=False):
        """check encrypt_key() result has expected format"""

        assert set(result) == set(["v", "t", "c", "s", "k"])

        assert result["v"] == 1
        assert result["t"] == tag
        assert result["c"] == wallet.encrypt_cost

        assert len(result["s"]) == to_b32_size(wallet.salt_size)
        assert len(result["k"]) == to_b32_size(len(key))

        result_key, result_needs_recrypt = wallet.decrypt_key(result)
        assert result_key == key
        assert result_needs_recrypt == needs_recrypt

    def test_encrypt_key(self):
        """.encrypt_key()"""

        # check for support
        wallet = AppWallet({"1": PASS1}, encrypt_cost=5)
        self.require_aes_support(canary=partial(wallet.encrypt_key, KEY1_RAW))

        # basic behavior
        result = wallet.encrypt_key(KEY1_RAW)
        self.assertSaneResult(result, wallet, KEY1_RAW)

        # creates new salt each time
        other = wallet.encrypt_key(KEY1_RAW)
        self.assertSaneResult(result, wallet, KEY1_RAW)
        assert other["s"] != result["s"]
        assert other["k"] != result["k"]

        # honors custom cost
        wallet2 = AppWallet({"1": PASS1}, encrypt_cost=6)
        result = wallet2.encrypt_key(KEY1_RAW)
        self.assertSaneResult(result, wallet2, KEY1_RAW)

        # honors default tag
        wallet2 = AppWallet({"1": PASS1, "2": PASS2})
        result = wallet2.encrypt_key(KEY1_RAW)
        self.assertSaneResult(result, wallet2, KEY1_RAW, tag="2")

        # honor salt size
        wallet2 = AppWallet({"1": PASS1})
        wallet2.salt_size = 64
        result = wallet2.encrypt_key(KEY1_RAW)
        self.assertSaneResult(result, wallet2, KEY1_RAW)

        # larger key
        result = wallet.encrypt_key(KEY2_RAW)
        self.assertSaneResult(result, wallet, KEY2_RAW)

        # border case: empty key
        # XXX: might want to allow this, but documenting behavior for now
        with pytest.raises(ValueError):
            wallet.encrypt_key(b"")

    def test_encrypt_cost_timing(self):
        """verify cost parameter via timing"""
        self.require_aes_support()

        # time default cost
        wallet = AppWallet({"1": "aaa"})
        wallet.encrypt_cost -= 2
        delta, _ = time_call(partial(wallet.encrypt_key, KEY1_RAW), maxtime=0)

        # this should take (2**3=8) times as long
        wallet.encrypt_cost += 3
        delta2, _ = time_call(partial(wallet.encrypt_key, KEY1_RAW), maxtime=0)

        # TODO: rework timing test here to inject mock pbkdf2_hmac() function instead;
        #       and test that it's being invoked w/ proper options.
        assert delta2 == pytest.approx(delta * 8, abs=(delta * 8) * 0.5)


#: used as base value for RFC test vector keys
RFC_KEY_BYTES_20 = "12345678901234567890".encode("ascii")
RFC_KEY_BYTES_32 = (RFC_KEY_BYTES_20 * 2)[:32]
RFC_KEY_BYTES_64 = (RFC_KEY_BYTES_20 * 4)[:64]


# TODO: this class is separate from TotpTest due to historical issue,
#       when there was a base class, and a separate HOTP class.
#       these test case classes should probably be combined.
class TotpTest(TestCase):
    """
    common code shared by TotpTest & HotpTest
    """

    descriptionPrefix = "passlib.totp.TOTP"

    def setUp(self):
        super().setUp()

        # clear norm_hash_name() cache so 'unknown hash' warnings get emitted each time
        clear_lookup_hash_cache()

        # monkeypatch module's rng to be deterministic
        self.patchAttr(totp_module, "rng", self.getRandom())

    def randtime(self):
        """
        helper to generate random epoch time
        :returns float: epoch time
        """
        return self.getRandom().random() * max_time_t

    def randotp(self, cls=None, **kwds):
        """
        helper which generates a random TOTP instance.
        """
        rng = self.getRandom()
        if "key" not in kwds:
            kwds["new"] = True
        kwds.setdefault("digits", rng.randint(6, 10))
        kwds.setdefault("alg", rng.choice(["sha1", "sha256", "sha512"]))
        kwds.setdefault("period", rng.randint(10, 120))
        return (cls or TOTP)(**kwds)

    def test_randotp(self):
        """
        internal test -- randotp()
        """
        otp1 = self.randotp()
        otp2 = self.randotp()

        assert otp1.key != otp2.key, "key not randomized:"

        # NOTE: has (1/5)**10 odds of failure
        for _ in range(10):
            if otp1.digits != otp2.digits:
                break
            otp2 = self.randotp()
        else:
            self.fail("digits not randomized")

        # NOTE: has (1/3)**10 odds of failure
        for _ in range(10):
            if otp1.alg != otp2.alg:
                break
            otp2 = self.randotp()
        else:
            self.fail("alg not randomized")

    #: default options used by test vectors (unless otherwise stated)
    vector_defaults = dict(format="base32", alg="sha1", period=30, digits=8)

    #: various TOTP test vectors,
    #: each element in list has format [options, (time, token <, int(expires)>), ...]
    vectors = [
        # -------------------------------------------------------------------------
        # passlib test vectors
        # -------------------------------------------------------------------------
        # 10 byte key, 6 digits
        [
            dict(key="ACDEFGHJKL234567", digits=6),
            # test fencepost to make sure we're rounding right
            (1412873399, "221105"),  # == 29 mod 30
            (1412873400, "178491"),  # == 0 mod 30
            (1412873401, "178491"),  # == 1 mod 30
            (1412873429, "178491"),  # == 29 mod 30
            (1412873430, "915114"),  # == 0 mod 30
        ],
        # 10 byte key, 8 digits
        [
            dict(key="ACDEFGHJKL234567", digits=8),
            # should be same as 6 digits (above), but w/ 2 more digits on left side of token.
            (1412873399, "20221105"),  # == 29 mod 30
            (1412873400, "86178491"),  # == 0 mod 30
            (1412873401, "86178491"),  # == 1 mod 30
            (1412873429, "86178491"),  # == 29 mod 30
            (1412873430, "03915114"),  # == 0 mod 30
        ],
        # sanity check on key used in docstrings
        [
            dict(key="S3JD-VB7Q-D2R7-JPXX", digits=6),
            (1419622709, "000492"),
            (1419622739, "897212"),
        ],
        # -------------------------------------------------------------------------
        # reference vectors taken from http://tools.ietf.org/html/rfc6238, appendix B
        # NOTE: while appendix B states same key used for all tests, the reference
        #       code in the appendix repeats the key up to the alg's block size,
        #       and uses *that* as the secret... so that's what we're doing here.
        # -------------------------------------------------------------------------
        # sha1 test vectors
        [
            dict(key=RFC_KEY_BYTES_20, format="raw", alg="sha1"),
            (59, "94287082"),
            (1111111109, "07081804"),
            (1111111111, "14050471"),
            (1234567890, "89005924"),
            (2000000000, "69279037"),
            (20000000000, "65353130"),
        ],
        # sha256 test vectors
        [
            dict(key=RFC_KEY_BYTES_32, format="raw", alg="sha256"),
            (59, "46119246"),
            (1111111109, "68084774"),
            (1111111111, "67062674"),
            (1234567890, "91819424"),
            (2000000000, "90698825"),
            (20000000000, "77737706"),
        ],
        # sha512 test vectors
        [
            dict(key=RFC_KEY_BYTES_64, format="raw", alg="sha512"),
            (59, "90693936"),
            (1111111109, "25091201"),
            (1111111111, "99943326"),
            (1234567890, "93441116"),
            (2000000000, "38618901"),
            (20000000000, "47863826"),
        ],
        # -------------------------------------------------------------------------
        # other test vectors
        # -------------------------------------------------------------------------
        # generated at http://blog.tinisles.com/2011/10/google-authenticator-one-time-password-algorithm-in-javascript
        [
            dict(key="JBSWY3DPEHPK3PXP", digits=6),
            (1409192430, "727248"),
            (1419890990, "122419"),
        ],
        [dict(key="JBSWY3DPEHPK3PXP", digits=9, period=41), (1419891152, "662331049")],
        # found in https://github.com/eloquent/otis/blob/develop/test/suite/Totp/Value/TotpValueGeneratorTest.php, line 45
        [dict(key=RFC_KEY_BYTES_20, format="raw", period=60), (1111111111, "19360094")],
        [
            dict(key=RFC_KEY_BYTES_32, format="raw", alg="sha256", period=60),
            (1111111111, "40857319"),
        ],
        [
            dict(key=RFC_KEY_BYTES_64, format="raw", alg="sha512", period=60),
            (1111111111, "37023009"),
        ],
    ]

    def iter_test_vectors(self):
        """
        helper to iterate over test vectors.
        yields ``(totp, time, token, expires, prefix)`` tuples.
        """
        from passlib.totp import TOTP

        for row in self.vectors:
            kwds = self.vector_defaults.copy()
            kwds.update(row[0])
            for entry in row[1:]:
                if len(entry) == 3:
                    time, token, expires = entry
                else:
                    time, token = entry
                    expires = None
                # NOTE: not re-using otp between calls so that stateful methods
                #       (like .match) don't have problems.
                logger.debug(
                    "test vector: %r time=%r token=%r expires=%r",
                    kwds,
                    time,
                    token,
                    expires,
                )
                otp = TOTP(**kwds)
                prefix = f"alg={otp.alg!r} time={time!r} token={token!r}: "
                yield otp, time, token, expires, prefix

    def test_ctor_w_new(self):
        """constructor -- 'new'  parameter"""

        # exactly one of 'key' or 'new' is required
        with pytest.raises(TypeError):
            TOTP()
        with pytest.raises(TypeError):
            TOTP(key="4aoggdbbqsyhntuz", new=True)

        # generates new key
        otp = TOTP(new=True)
        otp2 = TOTP(new=True)
        assert otp.key != otp2.key

    def test_ctor_w_size(self):
        """constructor -- 'size'  parameter"""

        # should default to digest size, per RFC
        assert len(TOTP(new=True, alg="sha1").key) == 20
        assert len(TOTP(new=True, alg="sha256").key) == 32
        assert len(TOTP(new=True, alg="sha512").key) == 64

        # explicit key size
        assert len(TOTP(new=True, size=10).key) == 10
        assert len(TOTP(new=True, size=16).key) == 16

        # for new=True, maximum size enforced (based on alg)
        with pytest.raises(ValueError):
            TOTP(new=True, size=21, alg="sha1")

        # for new=True, minimum size enforced
        with pytest.raises(ValueError):
            TOTP(new=True, size=9)

        # for existing key, minimum size is only warned about
        with pytest.warns(
            exc.PasslibSecurityWarning,
            match=".*for security purposes, secret key must be.*",
        ):
            _ = TOTP("0A" * 9, "hex")

    def test_ctor_w_key_and_format(self):
        """constructor -- 'key' and 'format' parameters"""

        # handle base32 encoding (the default)
        assert TOTP(KEY1).key == KEY1_RAW

        # .. w/ lower case
        assert TOTP(KEY1.lower()).key == KEY1_RAW

        # .. w/ spaces (e.g. user-entered data)
        assert TOTP(" 4aog gdbb qsyh ntuz ").key == KEY1_RAW

        # .. w/ invalid char
        with pytest.raises(DecodeError):
            TOTP("ao!ggdbbqsyhntuz")

        # handle hex encoding
        assert TOTP("e01c630c2184b076ce99", "hex").key == KEY1_RAW

        # .. w/ invalid char
        with pytest.raises(DecodeError):
            TOTP("X01c630c2184b076ce99", "hex")

        # handle raw bytes
        assert TOTP(KEY1_RAW, "raw").key == KEY1_RAW

    def test_ctor_w_alg(self):
        """constructor -- 'alg' parameter"""

        # normalize hash names
        assert TOTP(KEY1, alg="SHA-256").alg == "sha256"
        assert TOTP(KEY1, alg="SHA256").alg == "sha256"

        # invalid alg
        with pytest.raises(ValueError):
            TOTP(KEY1, alg="SHA-333")

    def test_ctor_w_digits(self):
        """constructor -- 'digits' parameter"""
        with pytest.raises(ValueError):
            TOTP(KEY1, digits=5)
        assert TOTP(KEY1, digits=6).digits == 6  # min value
        assert TOTP(KEY1, digits=10).digits == 10  # max value
        with pytest.raises(ValueError):
            TOTP(KEY1, digits=11)

    def test_ctor_w_period(self):
        """constructor -- 'period' parameter"""

        # default
        assert TOTP(KEY1).period == 30

        # explicit value
        assert TOTP(KEY1, period=63).period == 63

        # reject wrong type
        with pytest.raises(TypeError):
            TOTP(KEY1, period=1.5)
        with pytest.raises(TypeError):
            TOTP(KEY1, period="abc")

        # reject non-positive values
        with pytest.raises(ValueError):
            TOTP(KEY1, period=0)
        with pytest.raises(ValueError):
            TOTP(KEY1, period=-1)

    def test_ctor_w_label(self):
        """constructor -- 'label' parameter"""
        assert TOTP(KEY1).label is None
        assert TOTP(KEY1, label="foo@bar").label == "foo@bar"
        with pytest.raises(ValueError):
            TOTP(KEY1, label="foo:bar")

    def test_ctor_w_issuer(self):
        """constructor -- 'issuer' parameter"""
        assert TOTP(KEY1).issuer is None
        assert TOTP(KEY1, issuer="foo.com").issuer == "foo.com"
        with pytest.raises(ValueError):
            TOTP(KEY1, issuer="foo.com:bar")

    # TODO: test using() w/ 'digits', 'alg', 'issue', 'wallet', **wallet_kwds

    def test_using_w_period(self):
        """using() -- 'period' parameter"""

        # default
        assert TOTP(KEY1).period == 30

        # explicit value
        assert TOTP.using(period=63)(KEY1).period == 63

        # reject wrong type
        with pytest.raises(TypeError):
            TOTP.using(period=1.5)
        with pytest.raises(TypeError):
            TOTP.using(period="abc")

        # reject non-positive values
        with pytest.raises(ValueError):
            TOTP.using(period=0)
        with pytest.raises(ValueError):
            TOTP.using(period=-1)

    def test_using_w_now(self):
        """using -- 'now' parameter"""

        # NOTE: reading time w/ normalize_time() to make sure custom .now actually has effect.

        # default -- time.time
        otp = self.randotp()
        assert otp.now is _time.time
        assert otp.normalize_time(None) == pytest.approx(int(_time.time()))

        # custom function
        counter = [123.12]

        def now():
            counter[0] += 1
            return counter[0]

        otp = self.randotp(cls=TOTP.using(now=now))
        # NOTE: TOTP() constructor invokes this as part of test, using up counter values 124 & 125
        assert otp.normalize_time(None) == 126
        assert otp.normalize_time(None) == 127

        # require callable
        with pytest.raises(TypeError):
            TOTP.using(now=123)

        # require returns int/float
        msg_re = r"now\(\) function must return non-negative"
        with pytest.raises(AssertionError, match=msg_re):
            TOTP.using(now=lambda: "abc")

        # require returns non-negative value

        with pytest.raises(AssertionError, match=msg_re):
            TOTP.using(now=lambda: -1)

    def test_normalize_token_instance(self, otp=None):
        """normalize_token() -- instance method"""
        if otp is None:
            otp = self.randotp(digits=7)

        # unicode & bytes
        assert otp.normalize_token("1234567") == "1234567"
        assert otp.normalize_token(b"1234567") == "1234567"

        # int
        assert otp.normalize_token(1234567) == "1234567"

        # int which needs 0 padding
        assert otp.normalize_token(234567) == "0234567"

        # reject wrong types (float, None)
        with pytest.raises(TypeError):
            otp.normalize_token(1234567.0)
        with pytest.raises(TypeError):
            otp.normalize_token(None)

        # too few digits
        with pytest.raises(exc.MalformedTokenError):
            otp.normalize_token("123456")

        # too many digits
        with pytest.raises(exc.MalformedTokenError):
            otp.normalize_token("01234567")
        with pytest.raises(exc.MalformedTokenError):
            otp.normalize_token(12345678)

    def test_normalize_token_class(self):
        """normalize_token() -- class method"""
        self.test_normalize_token_instance(otp=TOTP.using(digits=7))

    def test_normalize_time(self):
        """normalize_time()"""
        TotpFactory = TOTP.using()
        otp = self.randotp(TotpFactory)

        for _ in range(10):
            time = self.randtime()
            tint = int(time)

            assert otp.normalize_time(time) == tint
            assert otp.normalize_time(tint + 0.5) == tint

            assert otp.normalize_time(tint) == tint

            dt = datetime.datetime.fromtimestamp(time, timezone.utc)
            assert otp.normalize_time(dt) == tint

            orig = TotpFactory.now
            try:
                TotpFactory.now = staticmethod(lambda: time)
                assert otp.normalize_time(None) == tint
            finally:
                TotpFactory.now = orig

        with pytest.raises(TypeError):
            otp.normalize_time("1234")

    def test_key_attrs(self):
        """pretty_key() and .key attributes"""
        rng = self.getRandom()

        # test key attrs
        otp = TOTP(KEY1_RAW, "raw")
        assert otp.key == KEY1_RAW
        assert otp.hex_key == "e01c630c2184b076ce99"
        assert otp.base32_key == KEY1

        # test pretty_key()
        assert otp.pretty_key() == "4AOG-GDBB-QSYH-NTUZ"
        assert otp.pretty_key(sep=" ") == "4AOG GDBB QSYH NTUZ"
        assert otp.pretty_key(sep=False) == KEY1
        assert otp.pretty_key(format="hex") == "e01c-630c-2184-b076-ce99"

        # quick fuzz test: make attr access works for random key & random size
        otp = TOTP(new=True, size=rng.randint(10, 20))
        _ = otp.hex_key
        _ = otp.base32_key
        _ = otp.pretty_key()

    def test_totp_token(self):
        """generate() -- TotpToken() class"""
        from passlib.totp import TOTP, TotpToken

        # test known set of values
        otp = TOTP("s3jdvb7qd2r7jpxx")
        result = otp.generate(1419622739)
        assert isinstance(result, TotpToken)
        assert result.token == "897212"
        assert result.counter == 47320757
        ##self.assertEqual(result.start_time, 1419622710)
        assert result.expire_time == 1419622740
        assert result == ("897212", 1419622740)
        assert len(result) == 2
        assert result[0] == "897212"
        assert result[1] == 1419622740
        with pytest.raises(IndexError):
            result.__getitem__(-3)
        with pytest.raises(IndexError):
            result.__getitem__(2)
        assert result

        # time dependant bits...
        otp.now = lambda: 1419622739.5
        assert result.remaining == 0.5
        assert result.valid

        otp.now = lambda: 1419622741
        assert result.remaining == 0
        assert not result.valid

        # same time -- shouldn't return same object, but should be equal
        result2 = otp.generate(1419622739)
        assert result2 is not result
        assert result2 == result

        # diff time in period -- shouldn't return same object, but should be equal
        result3 = otp.generate(1419622711)
        assert result3 is not result
        assert result3 == result

        # shouldn't be equal
        result4 = otp.generate(1419622999)
        assert result4 != result

    def test_generate(self):
        """generate()"""
        from passlib.totp import TOTP

        # generate token
        otp = TOTP(new=True)
        time = self.randtime()
        result = otp.generate(time)
        token = result.token
        assert isinstance(token, str)
        start_time = result.counter * 30

        # should generate same token for next 29s
        assert otp.generate(start_time + 29).token == token

        # and new one at 30s
        assert otp.generate(start_time + 30).token != token

        # verify round-trip conversion of datetime
        dt = datetime.datetime.fromtimestamp(time, timezone.utc)
        assert int(otp.normalize_time(dt)) == int(time)

        # handle datetime object
        assert otp.generate(dt).token == token

        # omitting value should use current time
        otp2 = TOTP.using(now=lambda: time)(key=otp.base32_key)
        assert otp2.generate().token == token

        # reject invalid time
        with pytest.raises(ValueError):
            otp.generate(-1)

    def test_generate_w_reference_vectors(self):
        """generate() -- reference vectors"""
        for otp, time, token, expires, prefix in self.iter_test_vectors():
            # should output correct token for specified time
            result = otp.generate(time)
            assert result.token == token, prefix
            assert result.counter == time // otp.period, prefix
            if expires:
                assert result.expire_time == expires

    def assertTotpMatch(self, match, time, skipped=0, period=30, window=30, msg=""):
        from passlib.totp import TotpMatch

        # test type
        assert isinstance(match, TotpMatch)

        # totp sanity check
        assert isinstance(match.totp, TOTP)
        assert match.totp.period == period

        # test attrs
        assert match.time == time, msg + " matched time:"
        expected = time // period
        counter = expected + skipped
        assert match.counter == counter, msg + " matched counter:"
        assert match.expected_counter == expected, msg + " expected counter:"
        assert match.skipped == skipped, msg + " skipped:"
        assert match.cache_seconds == period + window
        expire_time = (counter + 1) * period
        assert match.expire_time == expire_time
        assert match.cache_time == expire_time + window

        # test tuple
        assert len(match) == 2
        assert match == (counter, time)
        with pytest.raises(IndexError):
            match.__getitem__(-3)
        assert match[0] == counter
        assert match[1] == time
        with pytest.raises(IndexError):
            match.__getitem__(2)

        # test bool
        assert match

    def test_totp_match_w_valid_token(self):
        """match() -- valid TotpMatch object"""
        time = 141230981
        token = "781501"
        otp = TOTP.using(now=lambda: time + 24 * 3600)(KEY3)
        result = otp.match(token, time)
        self.assertTotpMatch(result, time=time, skipped=0)

    def test_totp_match_w_older_token(self):
        time = 141230981
        token = "781501"
        otp = TOTP.using(now=lambda: time + 24 * 3600)(KEY3)
        result = otp.match(token, time - 30)
        self.assertTotpMatch(result, time=time - 30, skipped=1)

    def test_totp_match_w_new_token(self):
        """match() -- valid TotpMatch object with past token"""
        time = 141230981
        token = "781501"
        otp = TOTP.using(now=lambda: time + 24 * 3600)(KEY3)
        result = otp.match(token, time + 30)
        self.assertTotpMatch(result, time=time + 30, skipped=-1)

    def test_totp_match_w_invalid_token(self):
        """match() -- invalid TotpMatch object"""
        time = 141230981
        token = "781501"
        otp = TOTP.using(now=lambda: time + 24 * 3600)(KEY3)
        with pytest.raises(exc.InvalidTokenError):
            otp.match(token, time + 60)

    def assertVerifyMatches(
        self,
        expect_skipped,
        token,
        time,  # *
        otp,
        gen_time=None,
        **kwds,
    ):
        """helper to test otp.match() output is correct"""
        # NOTE: TotpMatch return type tested more throughly above ^^^
        msg = f"key={otp.base32_key!r} alg={otp.alg!r} period={otp.period!r} token={token!r} gen_time={gen_time!r} time={time!r}:"
        result = otp.match(token, time, **kwds)
        self.assertTotpMatch(
            result,
            time=otp.normalize_time(time),
            period=otp.period,
            window=kwds.get("window", 30),
            skipped=expect_skipped,
            msg=msg,
        )

    def test_match_w_window(self):
        """match() -- 'time' and 'window' parameters"""

        # init generator & helper
        otp = self.randotp()
        period = otp.period
        time = self.randtime()
        token = otp.generate(time).token
        common = dict(otp=otp, gen_time=time)
        assertMatches = partial(self.assertVerifyMatches, **common)

        # -------------------------------
        # basic validation, and 'window' parameter
        # -------------------------------

        # validate against previous counter (passes if window >= period)
        with pytest.raises(InvalidTokenError):
            otp.match(token, time - period, window=0)
        assertMatches(+1, token, time - period, window=period)
        assertMatches(+1, token, time - period, window=2 * period)

        # validate against current counter
        assertMatches(0, token, time, window=0)

        # validate against next counter (passes if window >= period)

        with pytest.raises(InvalidTokenError):
            otp.match(token, time + period, window=0)
        assertMatches(-1, token, time + period, window=period)
        assertMatches(-1, token, time + period, window=2 * period)

        # validate against two time steps later (should never pass)
        with pytest.raises(InvalidTokenError):
            otp.match(token, time + 2 * period, window=0)
        with pytest.raises(InvalidTokenError):
            otp.match(token, time + 2 * period, window=period)
        assertMatches(-2, token, time + 2 * period, window=2 * period)

        # TODO: test window values that aren't multiples of period
        #       (esp ensure counter rounding works correctly)

        # -------------------------------
        # time normalization
        # -------------------------------

        # handle datetimes
        dt = datetime.datetime.fromtimestamp(time, timezone.utc)
        assertMatches(0, token, dt, window=0)

        # reject invalid time

        with pytest.raises(ValueError):
            otp.match(token, -1)

    def test_match_w_skew(self):
        """match() -- 'skew' parameters"""
        # init generator & helper
        otp = self.randotp()
        period = otp.period
        time = self.randtime()
        common = dict(otp=otp, gen_time=time)
        assertMatches = partial(self.assertVerifyMatches, **common)

        # assume client is running far behind server / has excessive transmission delay
        skew = 3 * period
        behind_token = otp.generate(time - skew).token
        with pytest.raises(InvalidTokenError):
            otp.match(behind_token, time, window=0)
        assertMatches(-3, behind_token, time, window=0, skew=-skew)

        # assume client is running far ahead of server
        ahead_token = otp.generate(time + skew).token
        with pytest.raises(InvalidTokenError):
            otp.match(ahead_token, time, window=0)
        assertMatches(+3, ahead_token, time, window=0, skew=skew)

        # TODO: test skew + larger window

    def test_match_w_reuse(self):
        """match() -- 'reuse' and 'last_counter' parameters"""

        # init generator & helper
        otp = self.randotp()
        period = otp.period
        time = self.randtime()
        tdata = otp.generate(time)
        token = tdata.token
        counter = tdata.counter
        expire_time = tdata.expire_time
        common = dict(otp=otp, gen_time=time)
        assertMatches = partial(self.assertVerifyMatches, **common)

        # last counter unset --
        # previous period's token should count as valid
        assertMatches(-1, token, time + period, window=period)

        # last counter set 2 periods ago --
        # previous period's token should count as valid
        assertMatches(-1, token, time + period, last_counter=counter - 1, window=period)

        # last counter set 2 periods ago --
        # 2 periods ago's token should NOT count as valid
        with pytest.raises(InvalidTokenError):
            otp.match(
                token,
                time + 2 * period,
                last_counter=counter,
                window=period,
            )

        # last counter set 1 period ago --
        # previous period's token should now be rejected as 'used'
        with pytest.raises(UsedTokenError) as exc_info:
            otp.match(
                token,
                time + period,
                last_counter=counter,
                window=period,
            )
        assert exc_info.value.expire_time == expire_time

        # last counter set to current period --
        # current period's token should be rejected
        with pytest.raises(UsedTokenError) as exc_info:
            otp.match(token, time, last_counter=counter, window=0)
        assert exc_info.value.expire_time == expire_time

    def test_match_w_token_normalization(self):
        """match() -- token normalization"""
        # setup test helper
        otp = TOTP("otxl2f5cctbprpzx")
        match = otp.match
        time = 1412889861

        # separators / spaces should be stripped (orig token '332136')
        assert match("    3 32-136  ", time)

        # ascii bytes
        assert match(b"332136", time)

        # too few digits
        with pytest.raises(exc.MalformedTokenError):
            match("12345", time)

        # invalid char
        with pytest.raises(exc.MalformedTokenError):
            match("12345X", time)

        # leading zeros count towards size
        with pytest.raises(exc.MalformedTokenError):
            match("0123456", time)

    def test_match_w_reference_vectors(self):
        """match() -- reference vectors"""
        for otp, time, token, expires, msg in self.iter_test_vectors():
            # create wrapper
            match = otp.match

            # token should match against time
            result = match(token, time)
            assert result
            assert result.counter == time // otp.period, msg

            # should NOT match against another time
            with pytest.raises(exc.InvalidTokenError):
                match(token, time + 100, window=0)

    def test_verify(self):
        """verify()"""
        # NOTE: since this is thin wrapper around .from_source() and .match(),
        #       just testing basic behavior here.

        from passlib.totp import TOTP

        time = 1412889861
        TotpFactory = TOTP.using(now=lambda: time)

        # successful match
        source1 = dict(v=1, type="totp", key="otxl2f5cctbprpzx")
        match = TotpFactory.verify("332136", source1)
        self.assertTotpMatch(match, time=time)

        # failed match
        source1 = dict(v=1, type="totp", key="otxl2f5cctbprpzx")
        with pytest.raises(exc.InvalidTokenError):
            TotpFactory.verify("332155", source1)

        # bad source
        source1 = dict(v=1, type="totp")
        with pytest.raises(ValueError):
            TotpFactory.verify("332155", source1)

        # successful match -- json source
        source1json = '{"v": 1, "type": "totp", "key": "otxl2f5cctbprpzx"}'
        match = TotpFactory.verify("332136", source1json)
        self.assertTotpMatch(match, time=time)

        # successful match -- URI
        source1uri = "otpauth://totp/Label?secret=otxl2f5cctbprpzx"
        match = TotpFactory.verify("332136", source1uri)
        self.assertTotpMatch(match, time=time)

    def test_from_source(self):
        """from_source()"""
        from passlib.totp import TOTP

        from_source = TOTP.from_source

        # uri (unicode)
        otp = from_source(
            "otpauth://totp/Example:alice@google.com?secret=JBSWY3DPEHPK3PXP&"
            "issuer=Example"
        )
        assert otp.key == KEY4_RAW

        # uri (bytes)
        otp = from_source(
            b"otpauth://totp/Example:alice@google.com?secret=JBSWY3DPEHPK3PXP&"
            b"issuer=Example"
        )
        assert otp.key == KEY4_RAW

        # dict
        otp = from_source(dict(v=1, type="totp", key=KEY4))
        assert otp.key == KEY4_RAW

        # json (unicode)
        otp = from_source('{"v": 1, "type": "totp", "key": "JBSWY3DPEHPK3PXP"}')
        assert otp.key == KEY4_RAW

        # json (bytes)
        otp = from_source(b'{"v": 1, "type": "totp", "key": "JBSWY3DPEHPK3PXP"}')
        assert otp.key == KEY4_RAW

        # TOTP object -- return unchanged
        assert from_source(otp) is otp

        # TOTP object w/ different wallet -- return new one.
        wallet1 = AppWallet()
        otp1 = TOTP.using(wallet=wallet1).from_source(otp)
        assert otp1 is not otp
        assert otp1.to_dict() == otp.to_dict()

        # TOTP object w/ same wallet -- return original
        otp2 = TOTP.using(wallet=wallet1).from_source(otp1)
        assert otp2 is otp1

        # random string
        with pytest.raises(ValueError):
            from_source("foo")
        with pytest.raises(ValueError):
            from_source(b"foo")

    def test_from_uri(self):
        """from_uri()"""
        from passlib.totp import TOTP

        from_uri = TOTP.from_uri

        # URIs from https://code.google.com/p/google-authenticator/wiki/KeyUriFormat

        # --------------------------------------------------------------------------------
        # canonical uri
        # --------------------------------------------------------------------------------
        otp = from_uri(
            "otpauth://totp/Example:alice@google.com?secret=JBSWY3DPEHPK3PXP&"
            "issuer=Example"
        )
        assert isinstance(otp, TOTP)
        assert otp.key == KEY4_RAW
        assert otp.label == "alice@google.com"
        assert otp.issuer == "Example"
        assert otp.alg == "sha1"  # default
        assert otp.period == 30  # default
        assert otp.digits == 6  # default

        # --------------------------------------------------------------------------------
        # secret param
        # --------------------------------------------------------------------------------

        # secret case insensitive
        otp = from_uri(
            "otpauth://totp/Example:alice@google.com?secret=jbswy3dpehpk3pxp&"
            "issuer=Example"
        )
        assert otp.key == KEY4_RAW

        # missing secret
        with pytest.raises(ValueError):
            from_uri("otpauth://totp/Example:alice@google.com?digits=6")

        # undecodable secret

        with pytest.raises(DecodeError):
            from_uri(
                "otpauth://totp/Example:alice@google.com?secret=JBSWY3DPEHP@3PXP",
            )

        # --------------------------------------------------------------------------------
        # label param
        # --------------------------------------------------------------------------------

        # w/ encoded space
        otp = from_uri(
            "otpauth://totp/Provider1:Alice%20Smith?secret=JBSWY3DPEHPK3PXP&"
            "issuer=Provider1"
        )
        assert otp.label == "Alice Smith"
        assert otp.issuer == "Provider1"

        # w/ encoded space and colon
        # (note url has leading space before 'alice') -- taken from KeyURI spec
        otp = from_uri(
            "otpauth://totp/Big%20Corporation%3A%20alice@bigco.com?"
            "secret=JBSWY3DPEHPK3PXP"
        )
        assert otp.label == "alice@bigco.com"
        assert otp.issuer == "Big Corporation"

        # --------------------------------------------------------------------------------
        # issuer param / prefix
        # --------------------------------------------------------------------------------

        # 'new style' issuer only
        otp = from_uri(
            "otpauth://totp/alice@bigco.com?secret=JBSWY3DPEHPK3PXP&issuer=Big%20Corporation"
        )
        assert otp.label == "alice@bigco.com"
        assert otp.issuer == "Big Corporation"

        # new-vs-old issuer mismatch

        with pytest.raises(ValueError):
            TOTP.from_uri(
                "otpauth://totp/Provider1:alice?secret=JBSWY3DPEHPK3PXP&issuer=Provider2",
            )

        # --------------------------------------------------------------------------------
        # algorithm param
        # --------------------------------------------------------------------------------

        # custom alg
        otp = from_uri(
            "otpauth://totp/Example:alice@google.com?secret=JBSWY3DPEHPK3PXP&algorithm=SHA256"
        )
        assert otp.alg == "sha256"

        # unknown alg

        with pytest.raises(ValueError):
            from_uri(
                "otpauth://totp/Example:alice@google.com?"
                "secret=JBSWY3DPEHPK3PXP&algorithm=SHA333",
            )

        # --------------------------------------------------------------------------------
        # digit param
        # --------------------------------------------------------------------------------

        # custom digits
        otp = from_uri(
            "otpauth://totp/Example:alice@google.com?secret=JBSWY3DPEHPK3PXP&digits=8"
        )
        assert otp.digits == 8

        # digits out of range / invalid

        with pytest.raises(ValueError):
            from_uri(
                "otpauth://totp/Example:alice@google.com?secret=JBSWY3DPEHPK3PXP&digits=A",
            )
        with pytest.raises(ValueError):
            from_uri(
                "otpauth://totp/Example:alice@google.com?secret=JBSWY3DPEHPK3PXP&digits=%20",
            )
        with pytest.raises(ValueError):
            from_uri(
                "otpauth://totp/Example:alice@google.com?secret=JBSWY3DPEHPK3PXP&digits=15",
            )

        # --------------------------------------------------------------------------------
        # period param
        # --------------------------------------------------------------------------------

        # custom period
        otp = from_uri(
            "otpauth://totp/Example:alice@google.com?secret=JBSWY3DPEHPK3PXP&period=63"
        )
        assert otp.period == 63

        # reject period < 1
        with pytest.raises(ValueError):
            from_uri(
                "otpauth://totp/Example:alice@google.com?"
                "secret=JBSWY3DPEHPK3PXP&period=0",
            )

        with pytest.raises(ValueError):
            from_uri(
                "otpauth://totp/Example:alice@google.com?"
                "secret=JBSWY3DPEHPK3PXP&period=-1",
            )

        # --------------------------------------------------------------------------------
        # unrecognized param
        # --------------------------------------------------------------------------------

        # should issue warning, but otherwise ignore extra param
        with pytest.warns(
            exc.PasslibRuntimeWarning, match="unexpected parameters encountered"
        ):
            otp = from_uri(
                "otpauth://totp/Example:alice@google.com?secret=JBSWY3DPEHPK3PXP&"
                "foo=bar&period=63"
            )
        assert otp.base32_key == KEY4
        assert otp.period == 63

    def test_to_uri(self):
        """to_uri()"""

        # -------------------------------------------------------------------------
        # label & issuer parameters
        # -------------------------------------------------------------------------

        # with label & issuer
        otp = TOTP(KEY4, alg="sha1", digits=6, period=30)
        assert (
            otp.to_uri("alice@google.com", "Example Org")
            == "otpauth://totp/Example%20Org:alice@google.com?secret=JBSWY3DPEHPK3PXP&"
            "issuer=Example%20Org"
        )

        # label is required
        with pytest.raises(ValueError):
            otp.to_uri(None, "Example Org")

        # with label only
        assert (
            otp.to_uri("alice@google.com")
            == "otpauth://totp/alice@google.com?secret=JBSWY3DPEHPK3PXP"
        )

        # with default label from constructor
        otp.label = "alice@google.com"
        assert otp.to_uri() == "otpauth://totp/alice@google.com?secret=JBSWY3DPEHPK3PXP"

        # with default label & default issuer from constructor
        otp.issuer = "Example Org"
        assert (
            otp.to_uri()
            == "otpauth://totp/Example%20Org:alice@google.com?secret=JBSWY3DPEHPK3PXP"
            "&issuer=Example%20Org"
        )

        # reject invalid label
        with pytest.raises(ValueError):
            otp.to_uri("label:with:semicolons")

        # reject invalid issuer
        with pytest.raises(ValueError):
            otp.to_uri("alice@google.com", "issuer:with:semicolons")

        # -------------------------------------------------------------------------
        # algorithm parameter
        # -------------------------------------------------------------------------
        assert (
            TOTP(KEY4, alg="sha256").to_uri("alice@google.com")
            == "otpauth://totp/alice@google.com?secret=JBSWY3DPEHPK3PXP&"
            "algorithm=SHA256"
        )

        # -------------------------------------------------------------------------
        # digits parameter
        # -------------------------------------------------------------------------
        assert (
            TOTP(KEY4, digits=8).to_uri("alice@google.com")
            == "otpauth://totp/alice@google.com?secret=JBSWY3DPEHPK3PXP&"
            "digits=8"
        )

        # -------------------------------------------------------------------------
        # period parameter
        # -------------------------------------------------------------------------
        assert (
            TOTP(KEY4, period=63).to_uri("alice@google.com")
            == "otpauth://totp/alice@google.com?secret=JBSWY3DPEHPK3PXP&"
            "period=63"
        )

    def test_from_dict(self):
        """from_dict()"""
        from passlib.totp import TOTP

        from_dict = TOTP.from_dict

        # --------------------------------------------------------------------------------
        # canonical simple example
        # --------------------------------------------------------------------------------
        otp = from_dict(
            dict(v=1, type="totp", key=KEY4, label="alice@google.com", issuer="Example")
        )
        assert isinstance(otp, TOTP)
        assert otp.key == KEY4_RAW
        assert otp.label == "alice@google.com"
        assert otp.issuer == "Example"
        assert otp.alg == "sha1"  # default
        assert otp.period == 30  # default
        assert otp.digits == 6  # default

        # --------------------------------------------------------------------------------
        # metadata
        # --------------------------------------------------------------------------------

        # missing version
        with pytest.raises(ValueError):
            from_dict(dict(type="totp", key=KEY4))

        # invalid version
        with pytest.raises(ValueError):
            from_dict(dict(v=0, type="totp", key=KEY4))
        with pytest.raises(ValueError):
            from_dict(dict(v=999, type="totp", key=KEY4))

        # missing type
        with pytest.raises(ValueError):
            from_dict(dict(v=1, key=KEY4))

        # --------------------------------------------------------------------------------
        # secret param
        # --------------------------------------------------------------------------------

        # secret case insensitive
        otp = from_dict(
            dict(
                v=1,
                type="totp",
                key=KEY4.lower(),
                label="alice@google.com",
                issuer="Example",
            )
        )
        assert otp.key == KEY4_RAW

        # missing secret
        with pytest.raises(ValueError):
            from_dict(dict(v=1, type="totp"))

        # undecodable secret
        with pytest.raises(DecodeError):
            from_dict(dict(v=1, type="totp", key="JBSWY3DPEHP@3PXP"))

        # --------------------------------------------------------------------------------
        # label & issuer params
        # --------------------------------------------------------------------------------

        otp = from_dict(
            dict(v=1, type="totp", key=KEY4, label="Alice Smith", issuer="Provider1")
        )
        assert otp.label == "Alice Smith"
        assert otp.issuer == "Provider1"

        # --------------------------------------------------------------------------------
        # algorithm param
        # --------------------------------------------------------------------------------

        # custom alg
        otp = from_dict(dict(v=1, type="totp", key=KEY4, alg="sha256"))
        assert otp.alg == "sha256"

        # unknown alg
        with pytest.raises(ValueError):
            from_dict(dict(v=1, type="totp", key=KEY4, alg="sha333"))

        # --------------------------------------------------------------------------------
        # digit param
        # --------------------------------------------------------------------------------

        # custom digits
        otp = from_dict(dict(v=1, type="totp", key=KEY4, digits=8))
        assert otp.digits == 8

        # digits out of range / invalid
        with pytest.raises(TypeError):
            from_dict(dict(v=1, type="totp", key=KEY4, digits="A"))
        with pytest.raises(ValueError):
            from_dict(dict(v=1, type="totp", key=KEY4, digits=15))

        # --------------------------------------------------------------------------------
        # period param
        # --------------------------------------------------------------------------------

        # custom period
        otp = from_dict(dict(v=1, type="totp", key=KEY4, period=63))
        assert otp.period == 63

        # reject period < 1
        with pytest.raises(ValueError):
            from_dict(dict(v=1, type="totp", key=KEY4, period=0))
        with pytest.raises(ValueError):
            from_dict(dict(v=1, type="totp", key=KEY4, period=-1))

        # --------------------------------------------------------------------------------
        # unrecognized param
        # --------------------------------------------------------------------------------
        with pytest.raises(TypeError):
            from_dict(dict(v=1, type="totp", key=KEY4, INVALID=123))

    def test_to_dict(self):
        """to_dict()"""

        # -------------------------------------------------------------------------
        # label & issuer parameters
        # -------------------------------------------------------------------------

        # without label or issuer
        otp = TOTP(KEY4, alg="sha1", digits=6, period=30)
        assert otp.to_dict() == dict(v=1, type="totp", key=KEY4)

        # with label & issuer from constructor
        otp = TOTP(
            KEY4,
            alg="sha1",
            digits=6,
            period=30,
            label="alice@google.com",
            issuer="Example Org",
        )
        assert otp.to_dict() == dict(
            v=1, type="totp", key=KEY4, label="alice@google.com", issuer="Example Org"
        )

        # with label only
        otp = TOTP(KEY4, alg="sha1", digits=6, period=30, label="alice@google.com")
        assert otp.to_dict() == dict(
            v=1, type="totp", key=KEY4, label="alice@google.com"
        )

        # with issuer only
        otp = TOTP(KEY4, alg="sha1", digits=6, period=30, issuer="Example Org")
        assert otp.to_dict() == dict(v=1, type="totp", key=KEY4, issuer="Example Org")

        # don't serialize default issuer
        TotpFactory = TOTP.using(issuer="Example Org")
        otp = TotpFactory(KEY4)
        assert otp.to_dict() == dict(v=1, type="totp", key=KEY4)

        # don't serialize default issuer *even if explicitly set*
        otp = TotpFactory(KEY4, issuer="Example Org")
        assert otp.to_dict() == dict(v=1, type="totp", key=KEY4)

        # -------------------------------------------------------------------------
        # algorithm parameter
        # -------------------------------------------------------------------------
        assert TOTP(KEY4, alg="sha256").to_dict() == dict(
            v=1, type="totp", key=KEY4, alg="sha256"
        )

        # -------------------------------------------------------------------------
        # digits parameter
        # -------------------------------------------------------------------------
        assert TOTP(KEY4, digits=8).to_dict() == dict(
            v=1, type="totp", key=KEY4, digits=8
        )

        # -------------------------------------------------------------------------
        # period parameter
        # -------------------------------------------------------------------------
        assert TOTP(KEY4, period=63).to_dict() == dict(
            v=1, type="totp", key=KEY4, period=63
        )

    # TODO: to_dict()
    #           with encrypt=False
    #           with encrypt="auto" + wallet + secrets
    #           with encrypt="auto" + wallet + no secrets
    #           with encrypt="auto" + no wallet
    #           with encrypt=True + wallet + secrets
    #           with encrypt=True + wallet + no secrets
    #           with encrypt=True + no wallet
    #           that 'changed' is set for old versions, and old encryption tags.

    # TODO: from_json() / to_json().
    #       (skipped for right now cause just wrapper for from_dict/to_dict)