-
Notifications
You must be signed in to change notification settings - Fork 215
/
test_schema.py
1987 lines (1708 loc) · 60.2 KB
/
test_schema.py
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
from __future__ import with_statement
import copy
import json
import os
import platform
import re
import sys
from collections import defaultdict, namedtuple
from functools import partial
from operator import methodcaller
try:
from unittest.mock import Mock
except ImportError:
from mock import Mock
from pytest import mark, raises
from schema import (
And,
Const,
Forbidden,
Hook,
Literal,
Optional,
Or,
Regex,
Schema,
SchemaError,
SchemaForbiddenKeyError,
SchemaMissingKeyError,
SchemaUnexpectedTypeError,
SchemaWrongKeyError,
Use,
)
if sys.version_info[0] == 3:
basestring = str # Python 3 does not have basestring
unicode = str # Python 3 does not have unicode
SE = raises(SchemaError)
def ve(_):
raise ValueError()
def se(_):
raise SchemaError("first auto", "first error")
def sorted_dict(to_sort):
"""Helper function to sort list of string inside dictionaries in order to compare them"""
if isinstance(to_sort, dict):
new_dict = {}
for k in sorted(to_sort.keys()):
new_dict[k] = sorted_dict(to_sort[k])
return new_dict
if isinstance(to_sort, list) and to_sort:
if isinstance(to_sort[0], str):
return sorted(to_sort)
else:
return [sorted_dict(element) for element in to_sort]
return to_sort
def test_schema():
assert Schema(1).validate(1) == 1
with SE:
Schema(1).validate(9)
assert Schema(int).validate(1) == 1
with SE:
Schema(int).validate("1")
assert Schema(Use(int)).validate("1") == 1
with SE:
Schema(int).validate(int)
with SE:
Schema(int).validate(True)
with SE:
Schema(int).validate(False)
assert Schema(str).validate("hai") == "hai"
with SE:
Schema(str).validate(1)
assert Schema(Use(str)).validate(1) == "1"
assert Schema(list).validate(["a", 1]) == ["a", 1]
assert Schema(dict).validate({"a": 1}) == {"a": 1}
with SE:
Schema(dict).validate(["a", 1])
assert Schema(lambda n: 0 < n < 5).validate(3) == 3
with SE:
Schema(lambda n: 0 < n < 5).validate(-1)
def test_validate_file():
assert Schema(Use(open)).validate("LICENSE-MIT").read().startswith("Copyright")
with SE:
Schema(Use(open)).validate("NON-EXISTENT")
assert Schema(os.path.exists).validate(".") == "."
with SE:
Schema(os.path.exists).validate("./non-existent/")
assert Schema(os.path.isfile).validate("LICENSE-MIT") == "LICENSE-MIT"
with SE:
Schema(os.path.isfile).validate("NON-EXISTENT")
def test_and():
assert And(int, lambda n: 0 < n < 5).validate(3) == 3
with SE:
And(int, lambda n: 0 < n < 5).validate(3.33)
assert And(Use(int), lambda n: 0 < n < 5).validate(3.33) == 3
with SE:
And(Use(int), lambda n: 0 < n < 5).validate("3.33")
def test_or():
assert Or(int, dict).validate(5) == 5
assert Or(int, dict).validate({}) == {}
with SE:
Or(int, dict).validate("hai")
assert Or(int).validate(4)
with SE:
Or().validate(2)
def test_or_only_one():
or_rule = Or("test1", "test2", only_one=True)
schema = Schema(
{or_rule: str, Optional("sub_schema"): {Optional(copy.deepcopy(or_rule)): str}}
)
assert schema.validate({"test1": "value"})
assert schema.validate({"test1": "value", "sub_schema": {"test2": "value"}})
assert schema.validate({"test2": "other_value"})
with SE:
schema.validate({"test1": "value", "test2": "other_value"})
with SE:
schema.validate(
{"test1": "value", "sub_schema": {"test1": "value", "test2": "value"}}
)
with SE:
schema.validate({"othertest": "value"})
extra_keys_schema = Schema({or_rule: str}, ignore_extra_keys=True)
assert extra_keys_schema.validate({"test1": "value", "other-key": "value"})
assert extra_keys_schema.validate({"test2": "other_value"})
with SE:
extra_keys_schema.validate({"test1": "value", "test2": "other_value"})
def test_test():
def unique_list(_list):
return len(_list) == len(set(_list))
def dict_keys(key, _list):
return list(map(lambda d: d[key], _list))
schema = Schema(Const(And(Use(partial(dict_keys, "index")), unique_list)))
data = [{"index": 1, "value": "foo"}, {"index": 2, "value": "bar"}]
assert schema.validate(data) == data
bad_data = [{"index": 1, "value": "foo"}, {"index": 1, "value": "bar"}]
with SE:
schema.validate(bad_data)
def test_regex():
# Simple case: validate string
assert Regex(r"foo").validate("afoot") == "afoot"
with SE:
Regex(r"bar").validate("afoot")
# More complex case: validate string
assert Regex(r"^[a-z]+$").validate("letters") == "letters"
with SE:
Regex(r"^[a-z]+$").validate("letters + spaces") == "letters + spaces"
# Validate dict key
assert Schema({Regex(r"^foo"): str}).validate({"fookey": "value"}) == {
"fookey": "value"
}
with SE:
Schema({Regex(r"^foo"): str}).validate({"barkey": "value"})
# Validate dict value
assert Schema({str: Regex(r"^foo")}).validate({"key": "foovalue"}) == {
"key": "foovalue"
}
with SE:
Schema({str: Regex(r"^foo")}).validate({"key": "barvalue"})
# Error if the value does not have a buffer interface
with SE:
Regex(r"bar").validate(1)
with SE:
Regex(r"bar").validate({})
with SE:
Regex(r"bar").validate([])
with SE:
Regex(r"bar").validate(None)
# Validate that the pattern has a buffer interface
assert Regex(re.compile(r"foo")).validate("foo") == "foo"
assert Regex(unicode("foo")).validate("foo") == "foo"
with raises(TypeError):
Regex(1).validate("bar")
with raises(TypeError):
Regex({}).validate("bar")
with raises(TypeError):
Regex([]).validate("bar")
with raises(TypeError):
Regex(None).validate("bar")
def test_validate_list():
assert Schema([1, 0]).validate([1, 0, 1, 1]) == [1, 0, 1, 1]
assert Schema([1, 0]).validate([]) == []
with SE:
Schema([1, 0]).validate(0)
with SE:
Schema([1, 0]).validate([2])
assert And([1, 0], lambda lst: len(lst) > 2).validate([0, 1, 0]) == [0, 1, 0]
with SE:
And([1, 0], lambda lst: len(lst) > 2).validate([0, 1])
def test_list_tuple_set_frozenset():
assert Schema([int]).validate([1, 2])
with SE:
Schema([int]).validate(["1", 2])
assert Schema(set([int])).validate(set([1, 2])) == set([1, 2])
with SE:
Schema(set([int])).validate([1, 2]) # not a set
with SE:
Schema(set([int])).validate(["1", 2])
assert Schema(tuple([int])).validate(tuple([1, 2])) == tuple([1, 2])
with SE:
Schema(tuple([int])).validate([1, 2]) # not a set
def test_strictly():
assert Schema(int).validate(1) == 1
with SE:
Schema(int).validate("1")
def test_dict():
assert Schema({"key": 5}).validate({"key": 5}) == {"key": 5}
with SE:
Schema({"key": 5}).validate({"key": "x"})
with SE:
Schema({"key": 5}).validate(["key", 5])
assert Schema({"key": int}).validate({"key": 5}) == {"key": 5}
assert Schema({"n": int, "f": float}).validate({"n": 5, "f": 3.14}) == {
"n": 5,
"f": 3.14,
}
with SE:
Schema({"n": int, "f": float}).validate({"n": 3.14, "f": 5})
with SE:
try:
Schema({}).validate({"abc": None, 1: None})
except SchemaWrongKeyError as e:
assert e.args[0].startswith("Wrong keys 'abc', 1 in")
raise
with SE:
try:
Schema({"key": 5}).validate({})
except SchemaMissingKeyError as e:
assert e.args[0] == "Missing key: 'key'"
raise
with SE:
try:
Schema({"key": 5}).validate({"n": 5})
except SchemaMissingKeyError as e:
assert e.args[0] == "Missing key: 'key'"
raise
with SE:
try:
Schema({"key": 5, "key2": 5}).validate({"n": 5})
except SchemaMissingKeyError as e:
assert e.args[0] == "Missing keys: 'key', 'key2'"
raise
with SE:
try:
Schema({}).validate({"n": 5})
except SchemaWrongKeyError as e:
assert e.args[0] == "Wrong key 'n' in {'n': 5}"
raise
with SE:
try:
Schema({"key": 5}).validate({"key": 5, "bad": 5})
except SchemaWrongKeyError as e:
assert e.args[0] in [
"Wrong key 'bad' in {'key': 5, 'bad': 5}",
"Wrong key 'bad' in {'bad': 5, 'key': 5}",
]
raise
with SE:
try:
Schema({}).validate({"a": 5, "b": 5})
except SchemaError as e:
assert e.args[0] in [
"Wrong keys 'a', 'b' in {'a': 5, 'b': 5}",
"Wrong keys 'a', 'b' in {'b': 5, 'a': 5}",
]
raise
with SE:
try:
Schema({int: int}).validate({"": ""})
except SchemaUnexpectedTypeError as e:
assert e.args[0] in ["'' should be instance of 'int'"]
def test_dict_keys():
assert Schema({str: int}).validate({"a": 1, "b": 2}) == {"a": 1, "b": 2}
with SE:
Schema({str: int}).validate({1: 1, "b": 2})
assert Schema({Use(str): Use(int)}).validate({1: 3.14, 3.14: 1}) == {
"1": 3,
"3.14": 1,
}
def test_ignore_extra_keys():
assert Schema({"key": 5}, ignore_extra_keys=True).validate(
{"key": 5, "bad": 4}
) == {"key": 5}
assert Schema({"key": 5, "dk": {"a": "a"}}, ignore_extra_keys=True).validate(
{"key": 5, "bad": "b", "dk": {"a": "a", "bad": "b"}}
) == {"key": 5, "dk": {"a": "a"}}
assert Schema([{"key": "v"}], ignore_extra_keys=True).validate(
[{"key": "v", "bad": "bad"}]
) == [{"key": "v"}]
assert Schema([{"key": "v"}], ignore_extra_keys=True).validate(
[{"key": "v", "bad": "bad"}]
) == [{"key": "v"}]
def test_ignore_extra_keys_validation_and_return_keys():
assert Schema({"key": 5, object: object}, ignore_extra_keys=True).validate(
{"key": 5, "bad": 4}
) == {
"key": 5,
"bad": 4,
}
assert Schema(
{"key": 5, "dk": {"a": "a", object: object}}, ignore_extra_keys=True
).validate({"key": 5, "dk": {"a": "a", "bad": "b"}}) == {
"key": 5,
"dk": {"a": "a", "bad": "b"},
}
def test_dict_forbidden_keys():
with raises(SchemaForbiddenKeyError):
Schema({Forbidden("b"): object}).validate({"b": "bye"})
with raises(SchemaWrongKeyError):
Schema({Forbidden("b"): int}).validate({"b": "bye"})
assert Schema({Forbidden("b"): int, Optional("b"): object}).validate(
{"b": "bye"}
) == {"b": "bye"}
with raises(SchemaForbiddenKeyError):
Schema({Forbidden("b"): object, Optional("b"): object}).validate({"b": "bye"})
def test_dict_hook():
function_mock = Mock(return_value=None)
hook = Hook("b", handler=function_mock)
assert Schema({hook: str, Optional("b"): object}).validate({"b": "bye"}) == {
"b": "bye"
}
function_mock.assert_called_once()
assert Schema({hook: int, Optional("b"): object}).validate({"b": "bye"}) == {
"b": "bye"
}
function_mock.assert_called_once()
assert Schema({hook: str, "b": object}).validate({"b": "bye"}) == {"b": "bye"}
assert function_mock.call_count == 2
def test_dict_optional_keys():
with SE:
Schema({"a": 1, "b": 2}).validate({"a": 1})
assert Schema({"a": 1, Optional("b"): 2}).validate({"a": 1}) == {"a": 1}
assert Schema({"a": 1, Optional("b"): 2}).validate({"a": 1, "b": 2}) == {
"a": 1,
"b": 2,
}
# Make sure Optionals are favored over types:
assert Schema({basestring: 1, Optional("b"): 2}).validate({"a": 1, "b": 2}) == {
"a": 1,
"b": 2,
}
# Make sure Optionals hash based on their key:
assert len({Optional("a"): 1, Optional("a"): 1, Optional("b"): 2}) == 2
def test_dict_optional_defaults():
# Optionals fill out their defaults:
assert Schema(
{Optional("a", default=1): 11, Optional("b", default=2): 22}
).validate({"a": 11}) == {"a": 11, "b": 2}
# Optionals take precedence over types. Here, the "a" is served by the
# Optional:
assert Schema({Optional("a", default=1): 11, basestring: 22}).validate(
{"b": 22}
) == {"a": 1, "b": 22}
with raises(TypeError):
Optional(And(str, Use(int)), default=7)
def test_dict_subtypes():
d = defaultdict(int, key=1)
v = Schema({"key": 1}).validate(d)
assert v == d
assert isinstance(v, defaultdict)
# Please add tests for Counter and OrderedDict once support for Python2.6
# is dropped!
def test_dict_key_error():
try:
Schema({"k": int}).validate({"k": "x"})
except SchemaError as e:
assert e.code == "Key 'k' error:\n'x' should be instance of 'int'"
try:
Schema({"k": {"k2": int}}).validate({"k": {"k2": "x"}})
except SchemaError as e:
code = "Key 'k' error:\nKey 'k2' error:\n'x' should be instance of 'int'"
assert e.code == code
try:
Schema({"k": {"k2": int}}, error="k2 should be int").validate(
{"k": {"k2": "x"}}
)
except SchemaError as e:
assert e.code == "k2 should be int"
def test_complex():
s = Schema(
{
"<file>": And([Use(open)], lambda lst: len(lst)),
"<path>": os.path.exists,
Optional("--count"): And(int, lambda n: 0 <= n <= 5),
}
)
data = s.validate({"<file>": ["./LICENSE-MIT"], "<path>": "./"})
assert len(data) == 2
assert len(data["<file>"]) == 1
assert data["<file>"][0].read().startswith("Copyright")
assert data["<path>"] == "./"
def test_nice_errors():
try:
Schema(int, error="should be integer").validate("x")
except SchemaError as e:
assert e.errors == ["should be integer"]
try:
Schema(Use(float), error="should be a number").validate("x")
except SchemaError as e:
assert e.code == "should be a number"
try:
Schema({Optional("i"): Use(int, error="should be a number")}).validate(
{"i": "x"}
)
except SchemaError as e:
assert e.code == "should be a number"
def test_use_error_handling():
try:
Use(ve).validate("x")
except SchemaError as e:
assert e.autos == ["ve('x') raised ValueError()"]
assert e.errors == [None]
try:
Use(ve, error="should not raise").validate("x")
except SchemaError as e:
assert e.autos == ["ve('x') raised ValueError()"]
assert e.errors == ["should not raise"]
try:
Use(se).validate("x")
except SchemaError as e:
assert e.autos == [None, "first auto"]
assert e.errors == [None, "first error"]
try:
Use(se, error="second error").validate("x")
except SchemaError as e:
assert e.autos == [None, "first auto"]
assert e.errors == ["second error", "first error"]
def test_or_error_handling():
try:
Or(ve).validate("x")
except SchemaError as e:
assert e.autos[0].startswith("Or(")
assert e.autos[0].endswith(") did not validate 'x'")
assert e.autos[1] == "ve('x') raised ValueError()"
assert len(e.autos) == 2
assert e.errors == [None, None]
try:
Or(ve, error="should not raise").validate("x")
except SchemaError as e:
assert e.autos[0].startswith("Or(")
assert e.autos[0].endswith(") did not validate 'x'")
assert e.autos[1] == "ve('x') raised ValueError()"
assert len(e.autos) == 2
assert e.errors == ["should not raise", "should not raise"]
try:
Or("o").validate("x")
except SchemaError as e:
assert e.autos == ["Or('o') did not validate 'x'", "'o' does not match 'x'"]
assert e.errors == [None, None]
try:
Or("o", error="second error").validate("x")
except SchemaError as e:
assert e.autos == ["Or('o') did not validate 'x'", "'o' does not match 'x'"]
assert e.errors == ["second error", "second error"]
def test_and_error_handling():
try:
And(ve).validate("x")
except SchemaError as e:
assert e.autos == ["ve('x') raised ValueError()"]
assert e.errors == [None]
try:
And(ve, error="should not raise").validate("x")
except SchemaError as e:
assert e.autos == ["ve('x') raised ValueError()"]
assert e.errors == ["should not raise"]
try:
And(str, se).validate("x")
except SchemaError as e:
assert e.autos == [None, "first auto"]
assert e.errors == [None, "first error"]
try:
And(str, se, error="second error").validate("x")
except SchemaError as e:
assert e.autos == [None, "first auto"]
assert e.errors == ["second error", "first error"]
def test_schema_error_handling():
try:
Schema(Use(ve)).validate("x")
except SchemaError as e:
assert e.autos == [None, "ve('x') raised ValueError()"]
assert e.errors == [None, None]
try:
Schema(Use(ve), error="should not raise").validate("x")
except SchemaError as e:
assert e.autos == [None, "ve('x') raised ValueError()"]
assert e.errors == ["should not raise", None]
try:
Schema(Use(se)).validate("x")
except SchemaError as e:
assert e.autos == [None, None, "first auto"]
assert e.errors == [None, None, "first error"]
try:
Schema(Use(se), error="second error").validate("x")
except SchemaError as e:
assert e.autos == [None, None, "first auto"]
assert e.errors == ["second error", None, "first error"]
def test_use_json():
import json
gist_schema = Schema(
And(
Use(json.loads), # first convert from JSON
{
Optional("description"): basestring,
"public": bool,
"files": {basestring: {"content": basestring}},
},
)
)
gist = """{"description": "the description for this gist",
"public": true,
"files": {
"file1.txt": {"content": "String file contents"},
"other.txt": {"content": "Another file contents"}}}"""
assert gist_schema.validate(gist)
def test_error_reporting():
s = Schema(
{
"<files>": [Use(open, error="<files> should be readable")],
"<path>": And(os.path.exists, error="<path> should exist"),
"--count": Or(
None,
And(Use(int), lambda n: 0 < n < 5),
error="--count should be integer 0 < n < 5",
),
},
error="Error:",
)
s.validate({"<files>": [], "<path>": "./", "--count": 3})
try:
s.validate({"<files>": [], "<path>": "./", "--count": "10"})
except SchemaError as e:
assert e.code == "Error:\n--count should be integer 0 < n < 5"
try:
s.validate({"<files>": [], "<path>": "./hai", "--count": "2"})
except SchemaError as e:
assert e.code == "Error:\n<path> should exist"
try:
s.validate({"<files>": ["hai"], "<path>": "./", "--count": "2"})
except SchemaError as e:
assert e.code == "Error:\n<files> should be readable"
def test_schema_repr(): # what about repr with `error`s?
schema = Schema([Or(None, And(str, Use(float)))])
repr_ = "Schema([Or(None, And(<type 'str'>, Use(<type 'float'>)))])"
# in Python 3 repr contains <class 'str'>, not <type 'str'>
assert repr(schema).replace("class", "type") == repr_
def test_validate_object():
schema = Schema({object: str})
assert schema.validate({42: "str"}) == {42: "str"}
with SE:
schema.validate({42: 777})
def test_issue_9_prioritized_key_comparison():
validate = Schema({"key": 42, object: 42}).validate
assert validate({"key": 42, 777: 42}) == {"key": 42, 777: 42}
def test_issue_9_prioritized_key_comparison_in_dicts():
# http://stackoverflow.com/questions/14588098/docopt-schema-validation
s = Schema(
{
"ID": Use(int, error="ID should be an int"),
"FILE": Or(None, Use(open, error="FILE should be readable")),
Optional(str): object,
}
)
data = {"ID": 10, "FILE": None, "other": "other", "other2": "other2"}
assert s.validate(data) == data
data = {"ID": 10, "FILE": None}
assert s.validate(data) == data
def test_missing_keys_exception_with_non_str_dict_keys():
s = Schema({And(str, Use(str.lower), "name"): And(str, len)})
with SE:
s.validate(dict())
with SE:
try:
Schema({1: "x"}).validate(dict())
except SchemaMissingKeyError as e:
assert e.args[0] == "Missing key: 1"
raise
# PyPy does have a __name__ attribute for its callables.
@mark.skipif(platform.python_implementation() == "PyPy", reason="Running on PyPy")
def test_issue_56_cant_rely_on_callables_to_have_name():
s = Schema(methodcaller("endswith", ".csv"))
assert s.validate("test.csv") == "test.csv"
with SE:
try:
s.validate("test.py")
except SchemaError as e:
assert "operator.methodcaller" in e.args[0]
raise
def test_exception_handling_with_bad_validators():
BadValidator = namedtuple("BadValidator", ["validate"])
s = Schema(BadValidator("haha"))
with SE:
try:
s.validate("test")
except SchemaError as e:
assert "TypeError" in e.args[0]
raise
def test_issue_83_iterable_validation_return_type():
TestSetType = type("TestSetType", (set,), dict())
data = TestSetType(["test", "strings"])
s = Schema(set([str]))
assert isinstance(s.validate(data), TestSetType)
def test_optional_key_convert_failed_randomly_while_with_another_optional_object():
"""
In this test, created_at string "2015-10-10 00:00:00" is expected to be converted
to a datetime instance.
- it works when the schema is
s = Schema({
'created_at': _datetime_validator,
Optional(basestring): object,
})
- but when wrapping the key 'created_at' with Optional, it fails randomly
:return:
"""
import datetime
fmt = "%Y-%m-%d %H:%M:%S"
_datetime_validator = Or(None, Use(lambda i: datetime.datetime.strptime(i, fmt)))
# FIXME given tests enough
for i in range(1024):
s = Schema(
{
Optional("created_at"): _datetime_validator,
Optional("updated_at"): _datetime_validator,
Optional("birth"): _datetime_validator,
Optional(basestring): object,
}
)
data = {"created_at": "2015-10-10 00:00:00"}
validated_data = s.validate(data)
# is expected to be converted to a datetime instance, but fails randomly
# (most of the time)
assert isinstance(validated_data["created_at"], datetime.datetime)
# assert isinstance(validated_data['created_at'], basestring)
def test_copy():
s1 = SchemaError("a", None)
s2 = copy.deepcopy(s1)
assert s1 is not s2
assert type(s1) is type(s2)
def test_inheritance():
def convert(data):
if isinstance(data, int):
return data + 1
return data
class MySchema(Schema):
def validate(self, data):
return super(MySchema, self).validate(convert(data))
s = {"k": int, "d": {"k": int, "l": [{"l": [int]}]}}
v = {"k": 1, "d": {"k": 2, "l": [{"l": [3, 4, 5]}]}}
d = MySchema(s).validate(v)
assert d["k"] == 2 and d["d"]["k"] == 3 and d["d"]["l"][0]["l"] == [4, 5, 6]
def test_inheritance_validate_kwargs():
def convert(data, increment):
if isinstance(data, int):
return data + increment
return data
class MySchema(Schema):
def validate(self, data, increment=1):
return super(MySchema, self).validate(
convert(data, increment), increment=increment
)
s = {"k": int, "d": {"k": int, "l": [{"l": [int]}]}}
v = {"k": 1, "d": {"k": 2, "l": [{"l": [3, 4, 5]}]}}
d = MySchema(s).validate(v, increment=1)
assert d["k"] == 2 and d["d"]["k"] == 3 and d["d"]["l"][0]["l"] == [4, 5, 6]
d = MySchema(s).validate(v, increment=10)
assert d["k"] == 11 and d["d"]["k"] == 12 and d["d"]["l"][0]["l"] == [13, 14, 15]
def test_inheritance_validate_kwargs_passed_to_nested_schema():
def convert(data, increment):
if isinstance(data, int):
return data + increment
return data
class MySchema(Schema):
def validate(self, data, increment=1):
return super(MySchema, self).validate(
convert(data, increment), increment=increment
)
# note only d.k is under MySchema, and all others are under Schema without
# increment
s = {"k": int, "d": MySchema({"k": int, "l": [Schema({"l": [int]})]})}
v = {"k": 1, "d": {"k": 2, "l": [{"l": [3, 4, 5]}]}}
d = Schema(s).validate(v, increment=1)
assert d["k"] == 1 and d["d"]["k"] == 3 and d["d"]["l"][0]["l"] == [3, 4, 5]
d = Schema(s).validate(v, increment=10)
assert d["k"] == 1 and d["d"]["k"] == 12 and d["d"]["l"][0]["l"] == [3, 4, 5]
def test_optional_callable_default_get_inherited_schema_validate_kwargs():
def convert(data, increment):
if isinstance(data, int):
return data + increment
return data
s = {
"k": int,
"d": {
Optional("k", default=lambda **kw: convert(2, kw["increment"])): int,
"l": [{"l": [int]}],
},
}
v = {"k": 1, "d": {"l": [{"l": [3, 4, 5]}]}}
d = Schema(s).validate(v, increment=1)
assert d["k"] == 1 and d["d"]["k"] == 3 and d["d"]["l"][0]["l"] == [3, 4, 5]
d = Schema(s).validate(v, increment=10)
assert d["k"] == 1 and d["d"]["k"] == 12 and d["d"]["l"][0]["l"] == [3, 4, 5]
def test_optional_callable_default_ignore_inherited_schema_validate_kwargs():
def convert(data, increment):
if isinstance(data, int):
return data + increment
return data
s = {"k": int, "d": {Optional("k", default=lambda: 42): int, "l": [{"l": [int]}]}}
v = {"k": 1, "d": {"l": [{"l": [3, 4, 5]}]}}
d = Schema(s).validate(v, increment=1)
assert d["k"] == 1 and d["d"]["k"] == 42 and d["d"]["l"][0]["l"] == [3, 4, 5]
d = Schema(s).validate(v, increment=10)
assert d["k"] == 1 and d["d"]["k"] == 42 and d["d"]["l"][0]["l"] == [3, 4, 5]
def test_inheritance_optional():
def convert(data, increment):
if isinstance(data, int):
return data + increment
return data
class MyOptional(Optional):
"""This overrides the default property so it increments according
to kwargs passed to validate()
"""
@property
def default(self):
def wrapper(**kwargs):
if "increment" in kwargs:
return convert(self._default, kwargs["increment"])
return self._default
return wrapper
@default.setter
def default(self, value):
self._default = value
s = {"k": int, "d": {MyOptional("k", default=2): int, "l": [{"l": [int]}]}}
v = {"k": 1, "d": {"l": [{"l": [3, 4, 5]}]}}
d = Schema(s).validate(v, increment=1)
assert d["k"] == 1 and d["d"]["k"] == 3 and d["d"]["l"][0]["l"] == [3, 4, 5]
d = Schema(s).validate(v, increment=10)
assert d["k"] == 1 and d["d"]["k"] == 12 and d["d"]["l"][0]["l"] == [3, 4, 5]
def test_literal_repr():
assert (
repr(Literal("test", description="testing"))
== 'Literal("test", description="testing")'
)
assert repr(Literal("test")) == 'Literal("test", description="")'
def test_json_schema():
s = Schema({"test": str})
assert s.json_schema("my-id") == {
"$schema": "http://json-schema.org/draft-07/schema#",
"$id": "my-id",
"properties": {"test": {"type": "string"}},
"required": ["test"],
"additionalProperties": False,
"type": "object",
}
def test_json_schema_with_title():
s = Schema({"test": str}, name="Testing a schema")
assert s.json_schema("my-id") == {
"$schema": "http://json-schema.org/draft-07/schema#",
"$id": "my-id",
"title": "Testing a schema",
"properties": {"test": {"type": "string"}},
"required": ["test"],
"additionalProperties": False,
"type": "object",
}
def test_json_schema_types():
s = Schema(
{
Optional("test_str"): str,
Optional("test_int"): int,
Optional("test_float"): float,
Optional("test_bool"): bool,
}
)
assert s.json_schema("my-id") == {
"$schema": "http://json-schema.org/draft-07/schema#",
"$id": "my-id",
"properties": {
"test_str": {"type": "string"},
"test_int": {"type": "integer"},
"test_float": {"type": "number"},
"test_bool": {"type": "boolean"},
},
"required": [],
"additionalProperties": False,
"type": "object",
}
def test_json_schema_other_types():
"""Test that data types not supported by JSON schema are returned as strings"""
s = Schema({Optional("test_other"): bytes})
assert s.json_schema("my-id") == {
"$schema": "http://json-schema.org/draft-07/schema#",
"$id": "my-id",
"properties": {"test_other": {"type": "string"}},
"required": [],
"additionalProperties": False,
"type": "object",
}
def test_json_schema_nested():
s = Schema({"test": {"other": str}}, ignore_extra_keys=True)
assert s.json_schema("my-id") == {
"$schema": "http://json-schema.org/draft-07/schema#",
"$id": "my-id",
"properties": {
"test": {
"type": "object",
"properties": {"other": {"type": "string"}},
"additionalProperties": True,
"required": ["other"],
}
},
"required": ["test"],
"additionalProperties": True,
"type": "object",
}
def test_json_schema_nested_schema():
s = Schema({"test": Schema({"other": str}, ignore_extra_keys=True)})
assert s.json_schema("my-id") == {
"$schema": "http://json-schema.org/draft-07/schema#",
"$id": "my-id",
"properties": {
"test": {
"type": "object",
"properties": {"other": {"type": "string"}},
"additionalProperties": True,
"required": ["other"],
}
},
"required": ["test"],
"additionalProperties": False,
"type": "object",
}
def test_json_schema_optional_key():
s = Schema({Optional("test"): str})
assert s.json_schema("my-id") == {
"$schema": "http://json-schema.org/draft-07/schema#",
"$id": "my-id",
"properties": {"test": {"type": "string"}},
"required": [],
"additionalProperties": False,
"type": "object",
}
def test_json_schema_optional_key_nested():
s = Schema({"test": {Optional("other"): str}})
assert s.json_schema("my-id") == {
"$schema": "http://json-schema.org/draft-07/schema#",
"$id": "my-id",
"properties": {
"test": {
"type": "object",