-
Notifications
You must be signed in to change notification settings - Fork 341
/
Copy pathtest_client.py
1135 lines (974 loc) · 43.7 KB
/
test_client.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
# -*- coding: utf-8 -*-
from __future__ import absolute_import, unicode_literals
import datetime
import random
import unittest
from io import StringIO
from xml.etree import ElementTree
from pysolr import (
NESTED_DOC_KEY,
Results,
Solr,
SolrError,
clean_xml_string,
force_bytes,
force_unicode,
json,
safe_urlencode,
sanitize,
unescape_html,
)
try:
from unittest.mock import Mock
except ImportError:
from mock import Mock
try:
from urllib.parse import unquote_plus
except ImportError:
from urllib import unquote_plus
try:
from urllib.parse import quote
except ImportError:
from urllib import quote
class UtilsTestCase(unittest.TestCase):
def test_unescape_html(self):
self.assertEqual(unescape_html("Hello • world"), "Hello \x95 world")
self.assertEqual(unescape_html("Hello d world"), "Hello d world")
self.assertEqual(unescape_html("Hello & ☃"), "Hello & ☃")
self.assertEqual(
unescape_html("Hello &doesnotexist; world"), "Hello &doesnotexist; world"
)
def test_safe_urlencode(self):
self.assertEqual(
force_unicode(
unquote_plus(safe_urlencode({"test": "Hello ☃! Helllo world!"}))
),
"test=Hello ☃! Helllo world!",
)
self.assertEqual(
force_unicode(
unquote_plus(
safe_urlencode({"test": ["Hello ☃!", "Helllo world!"]}, True)
)
),
"test=Hello \u2603!&test=Helllo world!",
)
self.assertEqual(
force_unicode(
unquote_plus(
safe_urlencode({"test": ("Hello ☃!", "Helllo world!")}, True)
)
),
"test=Hello \u2603!&test=Helllo world!",
)
def test_sanitize(self):
self.assertEqual(
sanitize(
"\x00\x01\x02\x03\x04\x05\x06\x07\x08\x0b\x0c\x0e\x0f\x10\x11\x12\x13\x14\x15\x16\x17\x18\x19h\x1ae\x1bl\x1cl\x1do\x1e\x1f" # NOQA: E501
),
"hello",
),
def test_force_unicode(self):
self.assertEqual(force_unicode(b"Hello \xe2\x98\x83"), "Hello ☃")
# Don't mangle, it's already Unicode.
self.assertEqual(force_unicode("Hello ☃"), "Hello ☃")
self.assertEqual(force_unicode(1), "1", "force_unicode() should convert ints")
self.assertEqual(
force_unicode(1.0), "1.0", "force_unicode() should convert floats"
)
self.assertEqual(
force_unicode(None), "None", "force_unicode() should convert None"
)
def test_force_bytes(self):
self.assertEqual(force_bytes("Hello ☃"), b"Hello \xe2\x98\x83")
# Don't mangle, it's already a bytestring.
self.assertEqual(force_bytes(b"Hello \xe2\x98\x83"), b"Hello \xe2\x98\x83")
def test_clean_xml_string(self):
self.assertEqual(clean_xml_string("\x00\x0b\x0d\uffff"), "\x0d")
class ResultsTestCase(unittest.TestCase):
def test_init(self):
default_results = Results(
{"response": {"docs": [{"id": 1}, {"id": 2}], "numFound": 2}}
)
self.assertEqual(default_results.docs, [{"id": 1}, {"id": 2}])
self.assertEqual(default_results.hits, 2)
self.assertEqual(default_results.highlighting, {})
self.assertEqual(default_results.facets, {})
self.assertEqual(default_results.spellcheck, {})
self.assertEqual(default_results.stats, {})
self.assertIsNone(default_results.qtime)
self.assertEqual(default_results.debug, {})
self.assertEqual(default_results.grouped, {})
full_results = Results(
{
"response": {"docs": [{"id": 1}, {"id": 2}, {"id": 3}], "numFound": 3},
# Fake data just to check assignments.
"highlighting": "hi",
"facet_counts": "fa",
"spellcheck": "sp",
"stats": "st",
"responseHeader": {"QTime": "0.001"},
"debug": True,
"grouped": ["a"],
}
)
self.assertEqual(full_results.docs, [{"id": 1}, {"id": 2}, {"id": 3}])
self.assertEqual(full_results.hits, 3)
self.assertEqual(full_results.highlighting, "hi")
self.assertEqual(full_results.facets, "fa")
self.assertEqual(full_results.spellcheck, "sp")
self.assertEqual(full_results.stats, "st")
self.assertEqual(full_results.qtime, "0.001")
self.assertTrue(full_results.debug)
self.assertEqual(full_results.grouped, ["a"])
def test_len(self):
small_results = Results(
{"response": {"docs": [{"id": 1}, {"id": 2}], "numFound": 2}}
)
self.assertEqual(len(small_results), 2)
wrong_hits_results = Results(
{"response": {"docs": [{"id": 1}, {"id": 2}, {"id": 3}], "numFound": 7}}
)
self.assertEqual(len(wrong_hits_results), 3)
def test_iter(self):
long_results = Results(
{"response": {"docs": [{"id": 1}, {"id": 2}, {"id": 3}], "numFound": 7}}
)
to_iter = list(long_results)
self.assertEqual(to_iter[0], {"id": 1})
self.assertEqual(to_iter[1], {"id": 2})
self.assertEqual(to_iter[2], {"id": 3})
class SolrTestCaseMixin(object):
def get_solr(self, collection, timeout=60, always_commit=False):
return Solr(
"http://localhost:8983/solr/%s" % collection,
timeout=timeout,
always_commit=always_commit,
)
class SolrTestCase(unittest.TestCase, SolrTestCaseMixin):
def setUp(self):
super(SolrTestCase, self).setUp()
self.solr = self.get_solr("core0")
self.docs = [
{"id": "doc_1", "title": "Example doc 1", "price": 12.59, "popularity": 10},
{
"id": "doc_2",
"title": "Another example ☃ doc 2",
"price": 13.69,
"popularity": 7,
},
{"id": "doc_3", "title": "Another thing", "price": 2.35, "popularity": 8},
{"id": "doc_4", "title": "doc rock", "price": 99.99, "popularity": 10},
{"id": "doc_5", "title": "Boring", "price": 1.12, "popularity": 2},
# several with nested docs (not using fields that are used in
# normal docs so that they don't interfere with their tests)
{
"id": "parentdoc_1",
"type_s": "parent",
"name_t": "Parent no. 1",
"pages_i": 5,
NESTED_DOC_KEY: [
{
"id": "childdoc_1",
"type_s": "child",
"name_t": "Child #1",
"comment_t": "Hello there",
},
{
"id": "childdoc_2",
"type_s": "child",
"name_t": "Child #2",
"comment_t": "Ehh..",
},
],
},
{
"id": "parentdoc_2",
"type_s": "parent",
"name_t": "Parent no. 2",
"pages_i": 500,
NESTED_DOC_KEY: [
{
"id": "childdoc_3",
"type_s": "child",
"name_t": "Child of another parent",
"comment_t": "Yello",
NESTED_DOC_KEY: [
{
"id": "grandchilddoc_1",
"type_s": "grandchild",
"name_t": "Grand child of parent",
"comment_t": "Blah",
}
],
}
],
},
]
# Clear it.
self.solr.delete(q="*:*", commit=True)
# Index our docs. Yes, this leans on functionality we're going to test
# later & if it's broken, everything will catastrophically fail.
# Such is life.
self.solr.add(self.docs, commit=True)
# Mock the _send_request method on the solr instance so that we can
# test that custom handlers are called correctly.
self.solr._send_request = Mock(wraps=self.solr._send_request)
def assertURLStartsWith(self, URL, path):
"""
Assert that the test URL provided starts with a known base and the provided path
"""
# Note that we do not use urljoin to ensure that any changes in trailing
# slash handling are caught quickly:
return self.assertEqual(
URL, "%s/%s" % (self.solr.url.replace("/core0", ""), path)
)
def get_solr(self, collection, timeout=60, always_commit=False):
return Solr(
"http://localhost:8983/solr/%s" % collection,
timeout=timeout,
always_commit=always_commit,
)
def test_init(self):
self.assertEqual(self.solr.url, "http://localhost:8983/solr/core0")
self.assertIsInstance(self.solr.decoder, json.JSONDecoder)
self.assertEqual(self.solr.timeout, 60)
custom_solr = self.get_solr("core0", timeout=17, always_commit=True)
self.assertEqual(custom_solr.timeout, 17)
self.assertTrue(custom_solr.always_commit)
def test_custom_results_class(self):
solr = Solr("http://localhost:8983/solr/core0", results_cls=dict)
results = solr.search(q="*:*")
self.assertIsInstance(results, dict)
self.assertIn("responseHeader", results)
self.assertIn("response", results)
def test_cursor_traversal(self):
solr = Solr('http://localhost:8983/solr/core0')
expected = solr.search(q="*:*", rows=len(self.docs)*3, sort="id asc").docs
results = solr.search(q='*:*', cursorMark="*", rows=2, sort="id asc")
all_docs = [doc for doc in results]
self.assertEqual(len(expected), len(all_docs))
self.assertEqual(len(results), len(all_docs))
self.assertEqual(expected, all_docs)
def test__create_full_url_base(self):
self.assertURLStartsWith(self.solr._create_full_url(path=""), "core0")
def test__create_full_url_with_path(self):
self.assertURLStartsWith(
self.solr._create_full_url(path="pysolr_tests"), "core0/pysolr_tests"
)
def test__create_full_url_with_path_and_querystring(self):
# Note the use of a querystring parameter including a trailing slash to
# catch sloppy trimming:
self.assertURLStartsWith(
self.solr._create_full_url(path="/pysolr_tests/select/?whatever=/"),
"core0/pysolr_tests/select/?whatever=/",
)
def test__send_request(self):
# Test a valid request.
resp_body = self.solr._send_request("GET", "select/?q=doc&wt=json")
self.assertIn('"numFound":3', resp_body)
# Test a lowercase method & a body.
xml_body = '<add><doc><field name="id">doc_12</field><field name="title">Whee! ☃</field></doc></add>' # NOQA: E501
resp_body = self.solr._send_request(
"POST",
"update/?commit=true",
body=xml_body,
headers={"Content-type": "text/xml; charset=utf-8"},
)
self.assertIn('<int name="status">0</int>', resp_body)
# Test JSON Array
json_body = '[{"id":"doc_13","title":"Whee hoo! ☃"}]'
resp_body = self.solr._send_request(
"POST",
"update/?commit=true",
body=json_body,
headers={"Content-type": "application/json; charset=utf-8"},
)
self.assertIn('"status":0', resp_body)
def test__send_request_to_bad_path(self):
# Test a non-existent URL:
self.solr.url = "http://127.0.0.1:56789/wahtever"
self.assertRaises(
SolrError, self.solr._send_request, "get", "select/?q=doc&wt=json"
)
def test_send_request_to_bad_core(self):
# Test a bad core on a valid URL:
self.solr.url = "http://localhost:8983/solr/bad_core"
self.assertRaises(
SolrError, self.solr._send_request, "get", "select/?q=doc&wt=json"
)
def test__select(self):
# Short params.
resp_body = self.solr._select({"q": "doc"})
resp_data = json.loads(resp_body)
self.assertEqual(resp_data["response"]["numFound"], 3)
# Long params.
resp_body = self.solr._select({"q": "doc" * 1024})
resp_data = json.loads(resp_body)
self.assertEqual(resp_data["response"]["numFound"], 0)
self.assertEqual(len(resp_data["responseHeader"]["params"]["q"]), 3 * 1024)
# Test Deep Pagination CursorMark
resp_body = self.solr._select(
{"q": "*", "cursorMark": "*", "sort": "id desc", "start": 0, "rows": 2}
)
resp_data = json.loads(resp_body)
self.assertEqual(len(resp_data["response"]["docs"]), 2)
self.assertIn("nextCursorMark", resp_data)
def test__mlt(self):
resp_body = self.solr._mlt({"q": "id:doc_1", "mlt.fl": "title"})
resp_data = json.loads(resp_body)
self.assertEqual(resp_data["response"]["numFound"], 0)
def test__suggest_terms(self):
resp_body = self.solr._select({"terms.fl": "title"})
resp_data = json.loads(resp_body)
self.assertEqual(resp_data["response"]["numFound"], 0)
def test__update(self):
xml_body = '<add><doc><field name="id">doc_12</field><field name="title">Whee!</field></doc></add>' # NOQA: E501
resp_body = self.solr._update(xml_body)
self.assertIn('<int name="status">0</int>', resp_body)
def test__soft_commit(self):
xml_body = '<add><doc><field name="id">doc_12</field><field name="title">Whee!</field></doc></add>' # NOQA: E501
resp_body = self.solr._update(xml_body, softCommit=True)
self.assertIn('<int name="status">0</int>', resp_body)
def test__extract_error(self):
class RubbishResponse(object):
def __init__(self, content, headers=None):
if isinstance(content, bytes):
content = content.decode("utf-8")
self.content = content
self.headers = headers
if self.headers is None:
self.headers = {}
def json(self):
return json.loads(self.content)
# Just the reason.
resp_1 = RubbishResponse("We don't care.", {"reason": "Something went wrong."})
self.assertEqual(
self.solr._extract_error(resp_1), "[Reason: Something went wrong.]"
)
# Empty reason.
resp_2 = RubbishResponse("We don't care.", {"reason": None})
self.assertEqual(
self.solr._extract_error(resp_2), "[Reason: None]\nWe don't care."
)
# No reason. Time to scrape.
resp_3 = RubbishResponse(
"<html><body><pre>Something is broke.</pre></body></html>",
{"server": "jetty"},
)
self.assertEqual(
self.solr._extract_error(resp_3), "[Reason: Something is broke.]"
)
# No reason. JSON response.
resp_4 = RubbishResponse(
b'\n {"error": {"msg": "It happens"}}', {"server": "tomcat"}
)
self.assertEqual(self.solr._extract_error(resp_4), "[Reason: It happens]")
# No reason. Weird JSON response.
resp_5 = RubbishResponse(b'{"kinda": "weird"}', {"server": "jetty"})
self.assertEqual(
self.solr._extract_error(resp_5), '[Reason: None]\n{"kinda": "weird"}'
)
def test__scrape_response(self):
# Jetty.
resp_1 = self.solr._scrape_response(
{"server": "jetty"},
"<html><body><pre>Something is broke.</pre></body></html>",
)
self.assertEqual(resp_1, ("Something is broke.", ""))
# Other.
resp_2 = self.solr._scrape_response(
{"server": "crapzilla"},
"<html><head><title>Wow. Seriously weird.</title></head><body><pre>Something is broke.</pre></body></html>", # NOQA: E501
)
self.assertEqual(resp_2, ("Wow. Seriously weird.", ""))
def test__scrape_response_coyote_xml(self):
resp_3 = self.solr._scrape_response(
{"server": "coyote"},
'<?xml version="1.0"?>\n<response>\n<lst name="responseHeader"><int name="status">400</int><int name="QTime">0</int></lst><lst name="error"><str name="msg">Invalid Date String:\'2015-03-23 10:43:33\'</str><int name="code">400</int></lst>\n</response>\n', # NOQA: E501
)
self.assertEqual(
resp_3,
(
"Invalid Date String:'2015-03-23 10:43:33'",
"Invalid Date String:'2015-03-23 10:43:33'",
),
)
# Valid XML with a traceback
resp_4 = self.solr._scrape_response(
{"server": "coyote"},
"""<?xml version="1.0"?>
<response>
<lst name="responseHeader"><int name="status">500</int><int name="QTime">138</int></lst><lst name="error"><str name="msg">Internal Server Error</str><str name="trace">org.apache.solr.common.SolrException: Internal Server Error at java.lang.Thread.run(Thread.java:745)</str><int name="code">500</int></lst>
</response>""", # NOQA: E501
)
self.assertEqual(
resp_4,
(
"Internal Server Error",
"org.apache.solr.common.SolrException: Internal Server Error at java.lang.Thread.run(Thread.java:745)", # NOQA: E501
),
)
def test__scrape_response_tomcat(self):
"""Tests for Tomcat error responses"""
resp_0 = self.solr._scrape_response(
{"server": "coyote"},
"<html><body><h1>Something broke!</h1><pre>gigantic stack trace</pre></body></html>", # NOQA: E501
)
self.assertEqual(resp_0, ("Something broke!", ""))
# Invalid XML
bogus_xml = '<?xml version="1.0"?>\n<response>\n<lst name="responseHeader"><int name="status">400</int><int name="QTime">0</int></lst><lst name="error"><str name="msg">Invalid Date String:\'2015-03-23 10:43:33\'</str><int name="code">400</int></lst>' # NOQA: E501
reason, full_html = self.solr._scrape_response({"server": "coyote"}, bogus_xml)
self.assertIsNone(reason, None)
self.assertEqual(full_html, bogus_xml.replace("\n", ""))
def test__from_python(self):
self.assertEqual(self.solr._from_python(True), "true")
self.assertEqual(self.solr._from_python(False), "false")
self.assertEqual(self.solr._from_python(1), "1")
self.assertEqual(self.solr._from_python(1.2), "1.2")
self.assertEqual(self.solr._from_python(b"hello"), "hello")
self.assertEqual(self.solr._from_python("hello ☃"), "hello ☃")
self.assertEqual(self.solr._from_python("\x01test\x02"), "test")
def test__from_python_dates(self):
self.assertEqual(
self.solr._from_python(datetime.date(2013, 1, 18)), "2013-01-18T00:00:00Z"
)
self.assertEqual(
self.solr._from_python(datetime.datetime(2013, 1, 18, 0, 30, 28)),
"2013-01-18T00:30:28Z",
)
class FakeTimeZone(datetime.tzinfo):
offset = 0
def utcoffset(self, dt):
return datetime.timedelta(minutes=self.offset)
def dst(self):
return None
# Check a UTC timestamp
self.assertEqual(
self.solr._from_python(
datetime.datetime(2013, 1, 18, 0, 30, 28, tzinfo=FakeTimeZone())
),
"2013-01-18T00:30:28Z",
)
# Check a US Eastern Standard Time timestamp
FakeTimeZone.offset = -(5 * 60)
self.assertEqual(
self.solr._from_python(
datetime.datetime(2013, 1, 18, 0, 30, 28, tzinfo=FakeTimeZone())
),
"2013-01-18T05:30:28Z",
)
def test__to_python(self):
self.assertEqual(
self.solr._to_python("2013-01-18T00:00:00Z"), datetime.datetime(2013, 1, 18)
)
self.assertEqual(
self.solr._to_python("2013-01-18T00:30:28Z"),
datetime.datetime(2013, 1, 18, 0, 30, 28),
)
self.assertTrue(self.solr._to_python("true"))
self.assertFalse(self.solr._to_python("false"))
self.assertEqual(self.solr._to_python(1), 1)
self.assertEqual(self.solr._to_python(1.2), 1.2)
self.assertEqual(self.solr._to_python(b"hello"), "hello")
self.assertEqual(self.solr._to_python("hello ☃"), "hello ☃")
self.assertEqual(self.solr._to_python(["foo", "bar"]), "foo")
self.assertEqual(self.solr._to_python(("foo", "bar")), "foo")
self.assertEqual(
self.solr._to_python('tuple("foo", "bar")'), 'tuple("foo", "bar")'
)
def test__is_null_value(self):
self.assertTrue(self.solr._is_null_value(None))
self.assertTrue(self.solr._is_null_value(""))
self.assertFalse(self.solr._is_null_value("Hello"))
self.assertFalse(self.solr._is_null_value(1))
def test_search(self):
results = self.solr.search("doc")
self.assertEqual(len(results), 3)
# search should default to 'select' handler
args, kwargs = self.solr._send_request.call_args
self.assertTrue(args[1].startswith("select?"))
results = self.solr.search("example")
self.assertEqual(len(results), 2)
results = self.solr.search("nothing")
self.assertEqual(len(results), 0)
# Advanced options.
results = self.solr.search(
"doc",
**{
"debug": "true",
"hl": "true",
"hl.fragsize": 8,
"facet": "on",
"facet.field": "popularity",
"spellcheck": "true",
"spellcheck.collate": "true",
"spellcheck.count": 1,
}
)
self.assertEqual(len(results), 3)
self.assertIn("explain", results.debug)
self.assertEqual(results.highlighting, {"doc_4": {}, "doc_2": {}, "doc_1": {}})
self.assertEqual(results.spellcheck, {})
self.assertEqual(
results.facets["facet_fields"]["popularity"],
["10", 2, "7", 1, "2", 0, "8", 0],
)
self.assertIsNotNone(results.qtime)
# Nested search #1: find parent where child's comment has 'hello'
results = self.solr.search("{!parent which=type_s:parent}comment_t:hello")
self.assertEqual(len(results), 1)
# Nested search #2: find child with a child
results = self.solr.search("{!parent which=type_s:child}comment_t:blah")
self.assertEqual(len(results), 1)
def test_multiple_search_handlers(self):
misspelled_words = "anthr thng"
# By default, the 'select' search handler should be used
results = self.solr.search(q=misspelled_words)
self.assertEqual(results.spellcheck, {})
# spell search handler should return suggestions
# NB: this test relies on the spell search handler in the
# solrconfig (see the SOLR_ARCHIVE used by the start-solr-test-server script)
results = self.solr.search(q=misspelled_words, search_handler="spell")
self.assertNotEqual(results.spellcheck, {})
# search should support custom handlers
with self.assertRaises(SolrError):
self.solr.search("doc", search_handler="fakehandler")
args, kwargs = self.solr._send_request.call_args
self.assertTrue(args[1].startswith("fakehandler"))
def test_more_like_this(self):
results = self.solr.more_like_this("id:doc_1", "text")
self.assertEqual(len(results), 0)
# more_like_this should default to 'mlt' handler
args, kwargs = self.solr._send_request.call_args
self.assertTrue(args[1].startswith("mlt?"))
# more_like_this should support custom handlers
with self.assertRaises(SolrError):
self.solr.more_like_this("id:doc_1", "text", handler="fakehandler")
args, kwargs = self.solr._send_request.call_args
self.assertTrue(args[1].startswith("fakehandler"))
def test_suggest_terms(self):
results = self.solr.suggest_terms("title", "")
self.assertEqual(len(results), 1)
self.assertEqual(
results,
{
"title": [
("doc", 3),
("another", 2),
("example", 2),
("1", 1),
("2", 1),
("boring", 1),
("rock", 1),
("thing", 1),
]
},
)
# suggest_terms should default to 'mlt' handler
args, kwargs = self.solr._send_request.call_args
self.assertTrue(args[1].startswith("terms?"))
# suggest_terms should support custom handlers
with self.assertRaises(SolrError):
self.solr.suggest_terms("title", "", handler="fakehandler")
args, kwargs = self.solr._send_request.call_args
self.assertTrue(args[1].startswith("fakehandler"))
def test__build_doc(self):
doc = {
"id": "doc_1",
"title": "Example doc ☃ 1",
"price": 12.59,
"popularity": 10,
}
doc_xml = force_unicode(
ElementTree.tostring(self.solr._build_doc(doc), encoding="utf-8")
)
self.assertIn('<field name="title">Example doc ☃ 1</field>', doc_xml)
self.assertIn('<field name="id">doc_1</field>', doc_xml)
self.assertEqual(len(doc_xml), 152)
def test__build_doc_with_sets(self):
doc = {"id": "doc_1", "title": "Set test doc", "tags": {"alpha", "beta"}}
doc_xml = force_unicode(
ElementTree.tostring(self.solr._build_doc(doc), encoding="utf-8")
)
self.assertIn('<field name="id">doc_1</field>', doc_xml)
self.assertIn('<field name="title">Set test doc</field>', doc_xml)
self.assertIn('<field name="tags">alpha</field>', doc_xml)
self.assertIn('<field name="tags">beta</field>', doc_xml)
self.assertEqual(len(doc_xml), 144)
def test__build_doc_with_sub_docs(self):
sub_docs = [
{
"id": "sub_doc_1",
"title": "Example sub doc ☃ 1",
"price": 1.59,
"popularity": 4,
},
{
"id": "sub_doc_2",
"title": "Example sub doc ☃ 2",
"price": 21.13,
"popularity": 1,
},
]
doc = {
"id": "doc_1",
"title": "Example doc ☃ 1",
"price": 12.59,
"popularity": 10,
"_doc": sub_docs,
}
doc_xml = self.solr._build_doc(doc)
self.assertEqual(doc_xml.find("*[@name='id']").text, doc["id"])
children_docs = doc_xml.findall("doc")
self.assertEqual(len(children_docs), len(sub_docs))
self.assertEqual(children_docs[0].find("*[@name='id']").text, sub_docs[0]["id"])
self.assertEqual(children_docs[1].find("*[@name='id']").text, sub_docs[1]["id"])
def test_add(self):
self.assertEqual(len(self.solr.search("doc")), 3)
self.assertEqual(len(self.solr.search("example")), 2)
self.solr.add(
[
{"id": "doc_6", "title": "Newly added doc"},
{"id": "doc_7", "title": "Another example doc"},
],
commit=True,
)
# add should default to 'update' handler
args, kwargs = self.solr._send_request.call_args
self.assertTrue(args[1].startswith("update?"))
self.assertEqual(len(self.solr.search("doc")), 5)
self.assertEqual(len(self.solr.search("example")), 3)
# add should support custom handlers
with self.assertRaises(SolrError):
self.solr.add([], handler="fakehandler", commit=True)
args, kwargs = self.solr._send_request.call_args
self.assertTrue(args[1].startswith("fakehandler"))
def test_add_with_boost(self):
self.assertEqual(len(self.solr.search("doc")), 3)
self.solr.add(
[{"id": "doc_6", "title": "Important doc"}], boost={"title": 10.0}
)
self.solr.add(
[{"id": "doc_7", "title": "Spam doc doc"}], boost={"title": 0}, commit=True
)
res = self.solr.search("doc")
self.assertEqual(len(res), 5)
self.assertEqual("doc_6", res.docs[0]["id"])
def test_field_update_inc(self):
originalDocs = self.solr.search("doc")
self.assertEqual(len(originalDocs), 3)
updateList = []
for doc in originalDocs:
updateList.append({"id": doc["id"], "popularity": 5})
self.solr.add(updateList, fieldUpdates={"popularity": "inc"}, commit=True)
updatedDocs = self.solr.search("doc")
self.assertEqual(len(updatedDocs), 3)
for (originalDoc, updatedDoc) in zip(originalDocs, updatedDocs):
self.assertEqual(len(updatedDoc.keys()), len(originalDoc.keys()))
self.assertEqual(updatedDoc["popularity"], originalDoc["popularity"] + 5)
# TODO: change this to use assertSetEqual:
self.assertTrue(
all(
updatedDoc[k] == originalDoc[k]
for k in updatedDoc.keys()
if k not in ["_version_", "popularity"]
)
)
def test_field_update_set(self):
originalDocs = self.solr.search("doc")
updated_popularity = 10
self.assertEqual(len(originalDocs), 3)
updateList = []
for doc in originalDocs:
updateList.append({"id": doc["id"], "popularity": updated_popularity})
self.solr.add(updateList, fieldUpdates={"popularity": "set"}, commit=True)
updatedDocs = self.solr.search("doc")
self.assertEqual(len(updatedDocs), 3)
for (originalDoc, updatedDoc) in zip(originalDocs, updatedDocs):
self.assertEqual(len(updatedDoc.keys()), len(originalDoc.keys()))
self.assertEqual(updatedDoc["popularity"], updated_popularity)
# TODO: change this to use assertSetEqual:
self.assertTrue(
all(
updatedDoc[k] == originalDoc[k]
for k in updatedDoc.keys()
if k not in ["_version_", "popularity"]
)
)
def test_field_update_add(self):
self.solr.add(
[
{
"id": "multivalued_1",
"title": "Multivalued doc 1",
"word_ss": ["alpha", "beta"],
},
{
"id": "multivalued_2",
"title": "Multivalued doc 2",
"word_ss": ["charlie", "delta"],
},
],
commit=True,
)
originalDocs = self.solr.search("multivalued")
self.assertEqual(len(originalDocs), 2)
updateList = []
for doc in originalDocs:
updateList.append({"id": doc["id"], "word_ss": ["epsilon", "gamma"]})
self.solr.add(updateList, fieldUpdates={"word_ss": "add"}, commit=True)
updatedDocs = self.solr.search("multivalued")
self.assertEqual(len(updatedDocs), 2)
for (originalDoc, updatedDoc) in zip(originalDocs, updatedDocs):
self.assertEqual(len(updatedDoc.keys()), len(originalDoc.keys()))
self.assertEqual(
updatedDoc["word_ss"], originalDoc["word_ss"] + ["epsilon", "gamma"]
)
# TODO: change this to use assertSetEqual:
self.assertTrue(
all(
updatedDoc[k] == originalDoc[k]
for k in updatedDoc.keys()
if k not in ["_version_", "word_ss"]
)
)
def test_delete(self):
self.assertEqual(len(self.solr.search("doc")), 3)
self.solr.delete(id="doc_1", commit=True)
# delete should default to 'update' handler
args, kwargs = self.solr._send_request.call_args
self.assertTrue(args[1].startswith("update?"))
self.assertEqual(len(self.solr.search("doc")), 2)
self.assertEqual(len(self.solr.search("type_s:parent")), 2)
self.assertEqual(len(self.solr.search("type_s:child")), 3)
self.assertEqual(len(self.solr.search("type_s:grandchild")), 1)
self.solr.delete(q="price:[0 TO 15]")
self.solr.delete(q="type_s:parent", commit=True)
# one simple doc should remain
# parent documents were also deleted but children remain as orphans
self.assertEqual(len(self.solr.search("doc")), 1)
self.assertEqual(len(self.solr.search("type_s:parent")), 0)
self.assertEqual(len(self.solr.search("type_s:child")), 3)
self.solr.delete(q="type_s:child OR type_s:grandchild", commit=True)
self.assertEqual(len(self.solr.search("*:*")), 1)
self.solr.delete(q="*:*", commit=True)
self.assertEqual(len(self.solr.search("*:*")), 0)
# Test delete() with `id' being a list.
# Solr's ability to delete parent/children docs by id is simply assumed
# and not what's under test here.
def leaf_doc(doc):
return "price" in doc and NESTED_DOC_KEY not in doc
to_delete_docs = list(filter(leaf_doc, self.docs))
to_delete_ids = [doc["id"] for doc in to_delete_docs]
self.solr.add(to_delete_docs)
self.solr.commit()
leaf_q = "price:[* TO *]"
self.assertEqual(len(self.solr.search(leaf_q)), len(to_delete_docs))
# Extract a random doc from the list, to later check it wasn't deleted.
graced_doc_id = to_delete_ids.pop(
random.randint(0, len(to_delete_ids) - 1) # NOQA: B311
)
self.solr.delete(id=to_delete_ids, commit=True)
# There should be only one left, our graced id
self.assertEqual(len(self.solr.search(leaf_q)), 1)
self.assertEqual(len(self.solr.search("id:%s" % graced_doc_id)), 1)
# Now we can wipe the graced document too. None should be left.
self.solr.delete(id=graced_doc_id, commit=True)
self.assertEqual(len(self.solr.search(leaf_q)), 0)
# Can't delete when the list of documents is empty
self.assertRaises(ValueError, self.solr.delete, id=[None, None, None])
self.assertRaises(ValueError, self.solr.delete, id=[None])
# Need at least one of either `id' or `q'
self.assertRaises(ValueError, self.solr.delete)
# Can't have both.
self.assertRaises(ValueError, self.solr.delete, id="foo", q="bar")
# delete should support custom handlers
with self.assertRaises(SolrError):
self.solr.delete(id="doc_1", handler="fakehandler", commit=True)
args, kwargs = self.solr._send_request.call_args
self.assertTrue(args[1].startswith("fakehandler"))
def test_commit(self):
self.assertEqual(len(self.solr.search("doc")), 3)
self.solr.add([{"id": "doc_6", "title": "Newly added doc"}])
self.assertEqual(len(self.solr.search("doc")), 3)
self.solr.commit()
# commit should default to 'update' handler
args, kwargs = self.solr._send_request.call_args
self.assertTrue(args[1].startswith("update?"))
self.assertEqual(len(self.solr.search("doc")), 4)
def test_can_handles_default_commit_policy(self):
expected_commits = [False, True, False]
commit_arg = [False, True, None]
for expected_commit, arg in zip(expected_commits, commit_arg):
self.solr.add([{"id": "doc_6", "title": "Newly added doc"}], commit=arg)
args, _ = self.solr._send_request.call_args
committing_in_url = "commit" in args[1]
self.assertEqual(expected_commit, committing_in_url)
def test_overwrite(self):
self.assertEqual(len(self.solr.search("id:doc_overwrite_1")), 0)
self.solr.add(
[
{"id": "doc_overwrite_1", "title": "Kim is awesome."},
{"id": "doc_overwrite_1", "title": "Kim is more awesome."},
],
overwrite=False,
commit=True,
)
self.assertEqual(len(self.solr.search("id:doc_overwrite_1")), 2)
# commit should support custom handlers
with self.assertRaises(SolrError):
self.solr.commit(handler="fakehandler")
args, kwargs = self.solr._send_request.call_args
self.assertTrue(args[1].startswith("fakehandler"))
def test_optimize(self):
# Make sure it doesn't blow up. Side effects are hard to measure. :/
self.assertEqual(len(self.solr.search("doc")), 3)
self.solr.add([{"id": "doc_6", "title": "Newly added doc"}], commit=False)
self.assertEqual(len(self.solr.search("doc")), 3)
self.solr.optimize()
# optimize should default to 'update' handler
args, kwargs = self.solr._send_request.call_args
self.assertTrue(args[1].startswith("update?"))
self.assertEqual(len(self.solr.search("doc")), 4)
# optimize should support custom handlers
with self.assertRaises(SolrError):
self.solr.optimize(handler="fakehandler")
args, kwargs = self.solr._send_request.call_args
self.assertTrue(args[1].startswith("fakehandler"))
def test_extract(self):
fake_f = StringIO(
"""
<html>
<head>
<meta charset="utf-8">
<meta name="haystack-test" content="test 1234">
<title>Test Title ☃☃</title>
</head>
<body>foobar</body>
</html>
"""
)
fake_f.name = "test.html"
extracted = self.solr.extract(fake_f)
# extract should default to 'update/extract' handler
args, kwargs = self.solr._send_request.call_args
self.assertTrue(args[1].startswith("update/extract"))
# extract should support custom handlers
with self.assertRaises(SolrError):
self.solr.extract(fake_f, handler="fakehandler")
args, kwargs = self.solr._send_request.call_args
self.assertTrue(args[1].startswith("fakehandler"))
# Verify documented response structure:
self.assertIn("contents", extracted)
self.assertIn("metadata", extracted)
self.assertIn("foobar", extracted["contents"])
m = extracted["metadata"]
self.assertEqual([fake_f.name], m["stream_name"])