Przeglądaj źródła

Merge branch 'master' into searchpy2

Alexandre Flament 8 lat temu
rodzic
commit
e48f07a367
63 zmienionych plików z 392 dodań i 201 usunięć
  1. 46
    0
      searx/answerers/__init__.py
  2. 50
    0
      searx/answerers/random/answerer.py
  3. 51
    0
      searx/answerers/statistics/answerer.py
  4. 4
    13
      searx/engines/__init__.py
  5. 1
    2
      searx/engines/archlinux.py
  6. 1
    2
      searx/engines/base.py
  7. 6
    11
      searx/engines/bing.py
  8. 2
    3
      searx/engines/btdigg.py
  9. 1
    2
      searx/engines/dailymotion.py
  10. 5
    4
      searx/engines/deezer.py
  11. 2
    3
      searx/engines/dictzone.py
  12. 1
    2
      searx/engines/digg.py
  13. 1
    2
      searx/engines/fdroid.py
  14. 3
    11
      searx/engines/flickr.py
  15. 3
    4
      searx/engines/flickr_noapi.py
  16. 2
    3
      searx/engines/gigablast.py
  17. 1
    2
      searx/engines/github.py
  18. 2
    3
      searx/engines/google.py
  19. 1
    2
      searx/engines/kickass.py
  20. 2
    4
      searx/engines/nyaa.py
  21. 1
    1
      searx/engines/openstreetmap.py
  22. 1
    2
      searx/engines/piratebay.py
  23. 1
    2
      searx/engines/reddit.py
  24. 2
    10
      searx/engines/searchcode_doc.py
  25. 0
    1
      searx/engines/seedpeer.py
  26. 5
    4
      searx/engines/spotify.py
  27. 2
    3
      searx/engines/stackoverflow.py
  28. 2
    3
      searx/engines/startpage.py
  29. 2
    3
      searx/engines/subtitleseeker.py
  30. 4
    5
      searx/engines/swisscows.py
  31. 0
    1
      searx/engines/tokyotoshokan.py
  32. 0
    1
      searx/engines/torrentz.py
  33. 5
    6
      searx/engines/translated.py
  34. 0
    1
      searx/engines/wolframalpha_noapi.py
  35. 2
    3
      searx/engines/yandex.py
  36. 1
    1
      searx/plugins/doai_rewrite.py
  37. 17
    14
      searx/preferences.py
  38. 5
    4
      searx/results.py
  39. 9
    0
      searx/search.py
  40. 1
    0
      searx/settings.yml
  41. 1
    0
      searx/settings_robot.yml
  42. 1
    1
      searx/static/plugins/js/infinite_scroll.js
  43. 4
    4
      searx/templates/courgette/opensearch_response_rss.xml
  44. 5
    5
      searx/templates/courgette/results.html
  45. 4
    4
      searx/templates/legacy/opensearch_response_rss.xml
  46. 5
    5
      searx/templates/legacy/results.html
  47. 15
    0
      searx/templates/oscar/base.html
  48. 4
    4
      searx/templates/oscar/opensearch_response_rss.xml
  49. 29
    0
      searx/templates/oscar/preferences.html
  50. 6
    1
      searx/templates/oscar/result_templates/images.html
  51. 7
    7
      searx/templates/oscar/results.html
  52. 3
    3
      searx/templates/pix-art/results.html
  53. 13
    0
      searx/utils.py
  54. 20
    11
      searx/webapp.py
  55. 2
    4
      tests/unit/engines/test_bing.py
  56. 1
    1
      tests/unit/engines/test_deezer.py
  57. 3
    3
      tests/unit/engines/test_flickr.py
  58. 3
    3
      tests/unit/engines/test_flickr_noapi.py
  59. 2
    2
      tests/unit/engines/test_kickass.py
  60. 0
    3
      tests/unit/engines/test_searchcode_doc.py
  61. 1
    1
      tests/unit/engines/test_spotify.py
  62. 16
    0
      tests/unit/test_answerers.py
  63. 2
    1
      tests/unit/test_webapp.py

+ 46
- 0
searx/answerers/__init__.py Wyświetl plik

@@ -0,0 +1,46 @@
1
+from os import listdir
2
+from os.path import realpath, dirname, join, isdir
3
+from searx.utils import load_module
4
+from collections import defaultdict
5
+
6
+
7
+answerers_dir = dirname(realpath(__file__))
8
+
9
+
10
+def load_answerers():
11
+    answerers = []
12
+    for filename in listdir(answerers_dir):
13
+        if not isdir(join(answerers_dir, filename)):
14
+            continue
15
+        module = load_module('answerer.py', join(answerers_dir, filename))
16
+        if not hasattr(module, 'keywords') or not isinstance(module.keywords, tuple) or not len(module.keywords):
17
+            exit(2)
18
+        answerers.append(module)
19
+    return answerers
20
+
21
+
22
+def get_answerers_by_keywords(answerers):
23
+    by_keyword = defaultdict(list)
24
+    for answerer in answerers:
25
+        for keyword in answerer.keywords:
26
+            for keyword in answerer.keywords:
27
+                by_keyword[keyword].append(answerer.answer)
28
+    return by_keyword
29
+
30
+
31
+def ask(query):
32
+    results = []
33
+    query_parts = filter(None, query.query.split())
34
+
35
+    if query_parts[0] not in answerers_by_keywords:
36
+        return results
37
+
38
+    for answerer in answerers_by_keywords[query_parts[0]]:
39
+        result = answerer(query)
40
+        if result:
41
+            results.append(result)
42
+    return results
43
+
44
+
45
+answerers = load_answerers()
46
+answerers_by_keywords = get_answerers_by_keywords(answerers)

+ 50
- 0
searx/answerers/random/answerer.py Wyświetl plik

@@ -0,0 +1,50 @@
1
+import random
2
+import string
3
+from flask_babel import gettext
4
+
5
+# required answerer attribute
6
+# specifies which search query keywords triggers this answerer
7
+keywords = ('random',)
8
+
9
+random_int_max = 2**31
10
+
11
+random_string_letters = string.lowercase + string.digits + string.uppercase
12
+
13
+
14
+def random_string():
15
+    return u''.join(random.choice(random_string_letters)
16
+                    for _ in range(random.randint(8, 32)))
17
+
18
+
19
+def random_float():
20
+    return unicode(random.random())
21
+
22
+
23
+def random_int():
24
+    return unicode(random.randint(-random_int_max, random_int_max))
25
+
26
+
27
+random_types = {u'string': random_string,
28
+                u'int': random_int,
29
+                u'float': random_float}
30
+
31
+
32
+# required answerer function
33
+# can return a list of results (any result type) for a given query
34
+def answer(query):
35
+    parts = query.query.split()
36
+    if len(parts) != 2:
37
+        return []
38
+
39
+    if parts[1] not in random_types:
40
+        return []
41
+
42
+    return [{'answer': random_types[parts[1]]()}]
43
+
44
+
45
+# required answerer function
46
+# returns information about the answerer
47
+def self_info():
48
+    return {'name': gettext('Random value generator'),
49
+            'description': gettext('Generate different random values'),
50
+            'examples': [u'random {}'.format(x) for x in random_types]}

+ 51
- 0
searx/answerers/statistics/answerer.py Wyświetl plik

@@ -0,0 +1,51 @@
1
+from functools import reduce
2
+from operator import mul
3
+
4
+from flask_babel import gettext
5
+
6
+keywords = ('min',
7
+            'max',
8
+            'avg',
9
+            'sum',
10
+            'prod')
11
+
12
+
13
+# required answerer function
14
+# can return a list of results (any result type) for a given query
15
+def answer(query):
16
+    parts = query.query.split()
17
+
18
+    if len(parts) < 2:
19
+        return []
20
+
21
+    try:
22
+        args = map(float, parts[1:])
23
+    except:
24
+        return []
25
+
26
+    func = parts[0]
27
+    answer = None
28
+
29
+    if func == 'min':
30
+        answer = min(args)
31
+    elif func == 'max':
32
+        answer = max(args)
33
+    elif func == 'avg':
34
+        answer = sum(args) / len(args)
35
+    elif func == 'sum':
36
+        answer = sum(args)
37
+    elif func == 'prod':
38
+        answer = reduce(mul, args, 1)
39
+
40
+    if answer is None:
41
+        return []
42
+
43
+    return [{'answer': unicode(answer)}]
44
+
45
+
46
+# required answerer function
47
+# returns information about the answerer
48
+def self_info():
49
+    return {'name': gettext('Statistics functions'),
50
+            'description': gettext('Compute {functions} of the arguments').format(functions='/'.join(keywords)),
51
+            'examples': ['avg 123 548 2.04 24.2']}

+ 4
- 13
searx/engines/__init__.py Wyświetl plik

@@ -16,13 +16,13 @@ along with searx. If not, see < http://www.gnu.org/licenses/ >.
16 16
 (C) 2013- by Adam Tauber, <asciimoo@gmail.com>
17 17
 '''
18 18
 
19
-from os.path import realpath, dirname, splitext, join
19
+from os.path import realpath, dirname
20 20
 import sys
21
-from imp import load_source
22 21
 from flask_babel import gettext
23 22
 from operator import itemgetter
24 23
 from searx import settings
25 24
 from searx import logger
25
+from searx.utils import load_module
26 26
 
27 27
 
28 28
 logger = logger.getChild('engines')
@@ -32,6 +32,7 @@ engine_dir = dirname(realpath(__file__))
32 32
 engines = {}
33 33
 
34 34
 categories = {'general': []}
35
+_initialized = False
35 36
 
36 37
 engine_shortcuts = {}
37 38
 engine_default_args = {'paging': False,
@@ -46,16 +47,6 @@ engine_default_args = {'paging': False,
46 47
                        'time_range_support': False}
47 48
 
48 49
 
49
-def load_module(filename):
50
-    modname = splitext(filename)[0]
51
-    if modname in sys.modules:
52
-        del sys.modules[modname]
53
-    filepath = join(engine_dir, filename)
54
-    module = load_source(modname, filepath)
55
-    module.name = modname
56
-    return module
57
-
58
-
59 50
 def load_engine(engine_data):
60 51
 
61 52
     if '_' in engine_data['name']:
@@ -65,7 +56,7 @@ def load_engine(engine_data):
65 56
     engine_module = engine_data['engine']
66 57
 
67 58
     try:
68
-        engine = load_module(engine_module + '.py')
59
+        engine = load_module(engine_module + '.py', engine_dir)
69 60
     except:
70 61
         logger.exception('Cannot load engine "{}"'.format(engine_module))
71 62
         return None

+ 1
- 2
searx/engines/archlinux.py Wyświetl plik

@@ -12,7 +12,6 @@
12 12
 """
13 13
 
14 14
 from urlparse import urljoin
15
-from cgi import escape
16 15
 from urllib import urlencode
17 16
 from lxml import html
18 17
 from searx.engines.xpath import extract_text
@@ -135,7 +134,7 @@ def response(resp):
135 134
     for result in dom.xpath(xpath_results):
136 135
         link = result.xpath(xpath_link)[0]
137 136
         href = urljoin(base_url, link.attrib.get('href'))
138
-        title = escape(extract_text(link))
137
+        title = extract_text(link)
139 138
 
140 139
         results.append({'url': href,
141 140
                         'title': title})

+ 1
- 2
searx/engines/base.py Wyświetl plik

@@ -16,7 +16,6 @@
16 16
 from lxml import etree
17 17
 from urllib import urlencode
18 18
 from searx.utils import searx_useragent
19
-from cgi import escape
20 19
 from datetime import datetime
21 20
 import re
22 21
 
@@ -94,7 +93,7 @@ def response(resp):
94 93
                 url = item.text
95 94
 
96 95
             elif item.attrib["name"] == "dcdescription":
97
-                content = escape(item.text[:300])
96
+                content = item.text[:300]
98 97
                 if len(item.text) > 300:
99 98
                     content += "..."
100 99
 

+ 6
- 11
searx/engines/bing.py Wyświetl plik

@@ -14,7 +14,6 @@
14 14
 """
15 15
 
16 16
 from urllib import urlencode
17
-from cgi import escape
18 17
 from lxml import html
19 18
 from searx.engines.xpath import extract_text
20 19
 
@@ -32,18 +31,14 @@ search_string = 'search?{query}&first={offset}'
32 31
 def request(query, params):
33 32
     offset = (params['pageno'] - 1) * 10 + 1
34 33
 
35
-    if params['language'] == 'all':
36
-        language = 'en-US'
37
-    else:
38
-        language = params['language'].replace('_', '-')
34
+    if params['language'] != 'all':
35
+        query = u'language:{} {}'.format(params['language'].split('_')[0].upper(),
36
+                                         query.decode('utf-8')).encode('utf-8')
39 37
 
40 38
     search_path = search_string.format(
41
-        query=urlencode({'q': query, 'setmkt': language}),
39
+        query=urlencode({'q': query}),
42 40
         offset=offset)
43 41
 
44
-    params['cookies']['SRCHHPGUSR'] = \
45
-        'NEWWND=0&NRSLT=-1&SRCHLANG=' + language.split('-')[0]
46
-
47 42
     params['url'] = base_url + search_path
48 43
     return params
49 44
 
@@ -65,7 +60,7 @@ def response(resp):
65 60
         link = result.xpath('.//h3/a')[0]
66 61
         url = link.attrib.get('href')
67 62
         title = extract_text(link)
68
-        content = escape(extract_text(result.xpath('.//p')))
63
+        content = extract_text(result.xpath('.//p'))
69 64
 
70 65
         # append result
71 66
         results.append({'url': url,
@@ -77,7 +72,7 @@ def response(resp):
77 72
         link = result.xpath('.//h2/a')[0]
78 73
         url = link.attrib.get('href')
79 74
         title = extract_text(link)
80
-        content = escape(extract_text(result.xpath('.//p')))
75
+        content = extract_text(result.xpath('.//p'))
81 76
 
82 77
         # append result
83 78
         results.append({'url': url,

+ 2
- 3
searx/engines/btdigg.py Wyświetl plik

@@ -11,7 +11,6 @@
11 11
 """
12 12
 
13 13
 from urlparse import urljoin
14
-from cgi import escape
15 14
 from urllib import quote
16 15
 from lxml import html
17 16
 from operator import itemgetter
@@ -51,8 +50,8 @@ def response(resp):
51 50
     for result in search_res:
52 51
         link = result.xpath('.//td[@class="torrent_name"]//a')[0]
53 52
         href = urljoin(url, link.attrib.get('href'))
54
-        title = escape(extract_text(link))
55
-        content = escape(extract_text(result.xpath('.//pre[@class="snippet"]')[0]))
53
+        title = extract_text(link)
54
+        content = extract_text(result.xpath('.//pre[@class="snippet"]')[0])
56 55
         content = "<br />".join(content.split("\n"))
57 56
 
58 57
         filesize = result.xpath('.//span[@class="attr_val"]/text()')[0].split()[0]

+ 1
- 2
searx/engines/dailymotion.py Wyświetl plik

@@ -14,7 +14,6 @@
14 14
 
15 15
 from urllib import urlencode
16 16
 from json import loads
17
-from cgi import escape
18 17
 from datetime import datetime
19 18
 
20 19
 # engine dependent config
@@ -57,7 +56,7 @@ def response(resp):
57 56
     for res in search_res['list']:
58 57
         title = res['title']
59 58
         url = res['url']
60
-        content = escape(res['description'])
59
+        content = res['description']
61 60
         thumbnail = res['thumbnail_360_url']
62 61
         publishedDate = datetime.fromtimestamp(res['created_time'], None)
63 62
         embedded = embedded_url.format(videoid=res['id'])

+ 5
- 4
searx/engines/deezer.py Wyświetl plik

@@ -51,10 +51,11 @@ def response(resp):
51 51
             if url.startswith('http://'):
52 52
                 url = 'https' + url[4:]
53 53
 
54
-            content = result['artist']['name'] +\
55
-                " &bull; " +\
56
-                result['album']['title'] +\
57
-                " &bull; " + result['title']
54
+            content = '{} - {} - {}'.format(
55
+                result['artist']['name'],
56
+                result['album']['title'],
57
+                result['title'])
58
+
58 59
             embedded = embedded_url.format(audioid=result['id'])
59 60
 
60 61
             # append result

+ 2
- 3
searx/engines/dictzone.py Wyświetl plik

@@ -12,7 +12,6 @@
12 12
 import re
13 13
 from urlparse import urljoin
14 14
 from lxml import html
15
-from cgi import escape
16 15
 from searx.utils import is_valid_lang
17 16
 
18 17
 categories = ['general']
@@ -62,8 +61,8 @@ def response(resp):
62 61
 
63 62
         results.append({
64 63
             'url': urljoin(resp.url, '?%d' % k),
65
-            'title': escape(from_result.text_content()),
66
-            'content': escape('; '.join(to_results))
64
+            'title': from_result.text_content(),
65
+            'content': '; '.join(to_results)
67 66
         })
68 67
 
69 68
     return results

+ 1
- 2
searx/engines/digg.py Wyświetl plik

@@ -13,7 +13,6 @@
13 13
 from urllib import quote_plus
14 14
 from json import loads
15 15
 from lxml import html
16
-from cgi import escape
17 16
 from dateutil import parser
18 17
 
19 18
 # engine dependent config
@@ -56,7 +55,7 @@ def response(resp):
56 55
         url = result.attrib.get('data-contenturl')
57 56
         thumbnail = result.xpath('.//img')[0].attrib.get('src')
58 57
         title = ''.join(result.xpath(title_xpath))
59
-        content = escape(''.join(result.xpath(content_xpath)))
58
+        content = ''.join(result.xpath(content_xpath))
60 59
         pubdate = result.xpath(pubdate_xpath)[0].attrib.get('datetime')
61 60
         publishedDate = parser.parse(pubdate)
62 61
 

+ 1
- 2
searx/engines/fdroid.py Wyświetl plik

@@ -9,7 +9,6 @@
9 9
  @parse        url, title, content
10 10
 """
11 11
 
12
-from cgi import escape
13 12
 from urllib import urlencode
14 13
 from searx.engines.xpath import extract_text
15 14
 from lxml import html
@@ -43,7 +42,7 @@ def response(resp):
43 42
         img_src = app.xpath('.//img/@src')[0]
44 43
 
45 44
         content = extract_text(app.xpath('./p')[0])
46
-        content = escape(content.replace(title, '', 1).strip())
45
+        content = content.replace(title, '', 1).strip()
47 46
 
48 47
         results.append({'url': url,
49 48
                         'title': title,

+ 3
- 11
searx/engines/flickr.py Wyświetl plik

@@ -77,21 +77,13 @@ def response(resp):
77 77
 
78 78
         url = build_flickr_url(photo['owner'], photo['id'])
79 79
 
80
-        title = photo['title']
81
-
82
-        content = '<span class="photo-author">' +\
83
-                  photo['ownername'] +\
84
-                  '</span><br />' +\
85
-                  '<span class="description">' +\
86
-                  photo['description']['_content'] +\
87
-                  '</span>'
88
-
89 80
         # append result
90 81
         results.append({'url': url,
91
-                        'title': title,
82
+                        'title': photo['title'],
92 83
                         'img_src': img_src,
93 84
                         'thumbnail_src': thumbnail_src,
94
-                        'content': content,
85
+                        'content': photo['description']['_content'],
86
+                        'author': photo['ownername'],
95 87
                         'template': 'images.html'})
96 88
 
97 89
     # return results

+ 3
- 4
searx/engines/flickr_noapi.py Wyświetl plik

@@ -102,16 +102,15 @@ def response(resp):
102 102
 
103 103
         title = photo.get('title', '')
104 104
 
105
-        content = '<span class="photo-author">' +\
106
-                  photo['username'] +\
107
-                  '</span><br />'
105
+        author = photo['username']
108 106
 
109 107
         # append result
110 108
         results.append({'url': url,
111 109
                         'title': title,
112 110
                         'img_src': img_src,
113 111
                         'thumbnail_src': thumbnail_src,
114
-                        'content': content,
112
+                        'content': '',
113
+                        'author': author,
115 114
                         'template': 'images.html'})
116 115
 
117 116
     return results

+ 2
- 3
searx/engines/gigablast.py Wyświetl plik

@@ -10,7 +10,6 @@
10 10
  @parse       url, title, content
11 11
 """
12 12
 
13
-from cgi import escape
14 13
 from json import loads
15 14
 from random import randint
16 15
 from time import time
@@ -78,8 +77,8 @@ def response(resp):
78 77
     for result in response_json['results']:
79 78
         # append result
80 79
         results.append({'url': result['url'],
81
-                        'title': escape(result['title']),
82
-                        'content': escape(result['sum'])})
80
+                        'title': result['title'],
81
+                        'content': result['sum']})
83 82
 
84 83
     # return results
85 84
     return results

+ 1
- 2
searx/engines/github.py Wyświetl plik

@@ -12,7 +12,6 @@
12 12
 
13 13
 from urllib import urlencode
14 14
 from json import loads
15
-from cgi import escape
16 15
 
17 16
 # engine dependent config
18 17
 categories = ['it']
@@ -48,7 +47,7 @@ def response(resp):
48 47
         url = res['html_url']
49 48
 
50 49
         if res['description']:
51
-            content = escape(res['description'][:500])
50
+            content = res['description'][:500]
52 51
         else:
53 52
             content = ''
54 53
 

+ 2
- 3
searx/engines/google.py Wyświetl plik

@@ -9,7 +9,6 @@
9 9
 # @parse       url, title, content, suggestion
10 10
 
11 11
 import re
12
-from cgi import escape
13 12
 from urllib import urlencode
14 13
 from urlparse import urlparse, parse_qsl
15 14
 from lxml import html, etree
@@ -155,7 +154,7 @@ def parse_url(url_string, google_hostname):
155 154
 def extract_text_from_dom(result, xpath):
156 155
     r = result.xpath(xpath)
157 156
     if len(r) > 0:
158
-        return escape(extract_text(r[0]))
157
+        return extract_text(r[0])
159 158
     return None
160 159
 
161 160
 
@@ -264,7 +263,7 @@ def response(resp):
264 263
     # parse suggestion
265 264
     for suggestion in dom.xpath(suggestion_xpath):
266 265
         # append suggestion
267
-        results.append({'suggestion': escape(extract_text(suggestion))})
266
+        results.append({'suggestion': extract_text(suggestion)})
268 267
 
269 268
     # return results
270 269
     return results

+ 1
- 2
searx/engines/kickass.py Wyświetl plik

@@ -11,7 +11,6 @@
11 11
 """
12 12
 
13 13
 from urlparse import urljoin
14
-from cgi import escape
15 14
 from urllib import quote
16 15
 from lxml import html
17 16
 from operator import itemgetter
@@ -57,7 +56,7 @@ def response(resp):
57 56
         link = result.xpath('.//a[@class="cellMainLink"]')[0]
58 57
         href = urljoin(url, link.attrib['href'])
59 58
         title = extract_text(link)
60
-        content = escape(extract_text(result.xpath(content_xpath)))
59
+        content = extract_text(result.xpath(content_xpath))
61 60
         seed = extract_text(result.xpath('.//td[contains(@class, "green")]'))
62 61
         leech = extract_text(result.xpath('.//td[contains(@class, "red")]'))
63 62
         filesize_info = extract_text(result.xpath('.//td[contains(@class, "nobr")]'))

+ 2
- 4
searx/engines/nyaa.py Wyświetl plik

@@ -9,7 +9,6 @@
9 9
  @parse        url, title, content, seed, leech, torrentfile
10 10
 """
11 11
 
12
-from cgi import escape
13 12
 from urllib import urlencode
14 13
 from lxml import html
15 14
 from searx.engines.xpath import extract_text
@@ -78,7 +77,7 @@ def response(resp):
78 77
 
79 78
         # torrent title
80 79
         page_a = result.xpath(xpath_title)[0]
81
-        title = escape(extract_text(page_a))
80
+        title = extract_text(page_a)
82 81
 
83 82
         # link to the page
84 83
         href = page_a.attrib.get('href')
@@ -90,7 +89,7 @@ def response(resp):
90 89
         try:
91 90
             file_size, suffix = result.xpath(xpath_filesize)[0].split(' ')
92 91
             file_size = int(float(file_size) * get_filesize_mul(suffix))
93
-        except Exception as e:
92
+        except:
94 93
             file_size = None
95 94
 
96 95
         # seed count
@@ -105,7 +104,6 @@ def response(resp):
105 104
         # content string contains all information not included into template
106 105
         content = 'Category: "{category}". Downloaded {downloads} times.'
107 106
         content = content.format(category=category, downloads=downloads)
108
-        content = escape(content)
109 107
 
110 108
         results.append({'url': href,
111 109
                         'title': title,

+ 1
- 1
searx/engines/openstreetmap.py Wyświetl plik

@@ -43,7 +43,7 @@ def response(resp):
43 43
         if 'display_name' not in r:
44 44
             continue
45 45
 
46
-        title = r['display_name']
46
+        title = r['display_name'] or u''
47 47
         osm_type = r.get('osm_type', r.get('type'))
48 48
         url = result_base_url.format(osm_type=osm_type,
49 49
                                      osm_id=r['osm_id'])

+ 1
- 2
searx/engines/piratebay.py Wyświetl plik

@@ -9,7 +9,6 @@
9 9
 # @parse       url, title, content, seed, leech, magnetlink
10 10
 
11 11
 from urlparse import urljoin
12
-from cgi import escape
13 12
 from urllib import quote
14 13
 from lxml import html
15 14
 from operator import itemgetter
@@ -62,7 +61,7 @@ def response(resp):
62 61
         link = result.xpath('.//div[@class="detName"]//a')[0]
63 62
         href = urljoin(url, link.attrib.get('href'))
64 63
         title = extract_text(link)
65
-        content = escape(extract_text(result.xpath(content_xpath)))
64
+        content = extract_text(result.xpath(content_xpath))
66 65
         seed, leech = result.xpath('.//td[@align="right"]/text()')[:2]
67 66
 
68 67
         # convert seed to int if possible

+ 1
- 2
searx/engines/reddit.py Wyświetl plik

@@ -11,7 +11,6 @@
11 11
 """
12 12
 
13 13
 import json
14
-from cgi import escape
15 14
 from urllib import urlencode
16 15
 from urlparse import urlparse, urljoin
17 16
 from datetime import datetime
@@ -68,7 +67,7 @@ def response(resp):
68 67
             img_results.append(params)
69 68
         else:
70 69
             created = datetime.fromtimestamp(data['created_utc'])
71
-            content = escape(data['selftext'])
70
+            content = data['selftext']
72 71
             if len(content) > 500:
73 72
                 content = content[:500] + '...'
74 73
             params['content'] = content

+ 2
- 10
searx/engines/searchcode_doc.py Wyświetl plik

@@ -44,20 +44,12 @@ def response(resp):
44 44
     # parse results
45 45
     for result in search_results.get('results', []):
46 46
         href = result['url']
47
-        title = "[" + result['type'] + "] " +\
48
-                result['namespace'] +\
49
-                " " + result['name']
50
-        content = '<span class="highlight">[' +\
51
-                  result['type'] + "] " +\
52
-                  result['name'] + " " +\
53
-                  result['synopsis'] +\
54
-                  "</span><br />" +\
55
-                  result['description']
47
+        title = "[{}] {} {}".format(result['type'], result['namespace'], result['name'])
56 48
 
57 49
         # append result
58 50
         results.append({'url': href,
59 51
                         'title': title,
60
-                        'content': content})
52
+                        'content': result['description']})
61 53
 
62 54
     # return results
63 55
     return results

+ 0
- 1
searx/engines/seedpeer.py Wyświetl plik

@@ -9,7 +9,6 @@
9 9
 # @parse       url, title, content, seed, leech, magnetlink
10 10
 
11 11
 from urlparse import urljoin
12
-from cgi import escape
13 12
 from urllib import quote
14 13
 from lxml import html
15 14
 from operator import itemgetter

+ 5
- 4
searx/engines/spotify.py Wyświetl plik

@@ -46,10 +46,11 @@ def response(resp):
46 46
         if result['type'] == 'track':
47 47
             title = result['name']
48 48
             url = result['external_urls']['spotify']
49
-            content = result['artists'][0]['name'] +\
50
-                " &bull; " +\
51
-                result['album']['name'] +\
52
-                " &bull; " + result['name']
49
+            content = '{} - {} - {}'.format(
50
+                result['artists'][0]['name'],
51
+                result['album']['name'],
52
+                result['name'])
53
+
53 54
             embedded = embedded_url.format(audioid=result['id'])
54 55
 
55 56
             # append result

+ 2
- 3
searx/engines/stackoverflow.py Wyświetl plik

@@ -11,7 +11,6 @@
11 11
 """
12 12
 
13 13
 from urlparse import urljoin
14
-from cgi import escape
15 14
 from urllib import urlencode
16 15
 from lxml import html
17 16
 from searx.engines.xpath import extract_text
@@ -48,8 +47,8 @@ def response(resp):
48 47
     for result in dom.xpath(results_xpath):
49 48
         link = result.xpath(link_xpath)[0]
50 49
         href = urljoin(url, link.attrib.get('href'))
51
-        title = escape(extract_text(link))
52
-        content = escape(extract_text(result.xpath(content_xpath)))
50
+        title = extract_text(link)
51
+        content = extract_text(result.xpath(content_xpath))
53 52
 
54 53
         # append result
55 54
         results.append({'url': href,

+ 2
- 3
searx/engines/startpage.py Wyświetl plik

@@ -11,7 +11,6 @@
11 11
 # @todo        paging
12 12
 
13 13
 from lxml import html
14
-from cgi import escape
15 14
 from dateutil import parser
16 15
 from datetime import datetime, timedelta
17 16
 import re
@@ -79,10 +78,10 @@ def response(resp):
79 78
         if re.match(r"^http(s|)://(www\.)?ixquick\.com/do/search\?.*$", url):
80 79
             continue
81 80
 
82
-        title = escape(extract_text(link))
81
+        title = extract_text(link)
83 82
 
84 83
         if result.xpath('./p[@class="desc clk"]'):
85
-            content = escape(extract_text(result.xpath('./p[@class="desc clk"]')))
84
+            content = extract_text(result.xpath('./p[@class="desc clk"]'))
86 85
         else:
87 86
             content = ''
88 87
 

+ 2
- 3
searx/engines/subtitleseeker.py Wyświetl plik

@@ -10,7 +10,6 @@
10 10
  @parse       url, title, content
11 11
 """
12 12
 
13
-from cgi import escape
14 13
 from urllib import quote_plus
15 14
 from lxml import html
16 15
 from searx.languages import language_codes
@@ -59,7 +58,7 @@ def response(resp):
59 58
         elif search_lang:
60 59
             href = href + search_lang + '/'
61 60
 
62
-        title = escape(extract_text(link))
61
+        title = extract_text(link)
63 62
 
64 63
         content = extract_text(result.xpath('.//div[contains(@class,"red")]'))
65 64
         content = content + " - "
@@ -75,7 +74,7 @@ def response(resp):
75 74
         # append result
76 75
         results.append({'url': href,
77 76
                         'title': title,
78
-                        'content': escape(content)})
77
+                        'content': content})
79 78
 
80 79
     # return results
81 80
     return results

+ 4
- 5
searx/engines/swisscows.py Wyświetl plik

@@ -10,7 +10,6 @@
10 10
  @parse       url, title, content
11 11
 """
12 12
 
13
-from cgi import escape
14 13
 from json import loads
15 14
 from urllib import urlencode, unquote
16 15
 import re
@@ -78,7 +77,7 @@ def response(resp):
78 77
 
79 78
             # append result
80 79
             results.append({'url': result['SourceUrl'],
81
-                            'title': escape(result['Title']),
80
+                            'title': result['Title'],
82 81
                             'content': '',
83 82
                             'img_src': img_url,
84 83
                             'template': 'images.html'})
@@ -90,8 +89,8 @@ def response(resp):
90 89
 
91 90
             # append result
92 91
             results.append({'url': result_url,
93
-                            'title': escape(result_title),
94
-                            'content': escape(result_content)})
92
+                            'title': result_title,
93
+                            'content': result_content})
95 94
 
96 95
     # parse images
97 96
     for result in json.get('Images', []):
@@ -100,7 +99,7 @@ def response(resp):
100 99
 
101 100
         # append result
102 101
         results.append({'url': result['SourceUrl'],
103
-                        'title': escape(result['Title']),
102
+                        'title': result['Title'],
104 103
                         'content': '',
105 104
                         'img_src': img_url,
106 105
                         'template': 'images.html'})

+ 0
- 1
searx/engines/tokyotoshokan.py Wyświetl plik

@@ -11,7 +11,6 @@
11 11
 """
12 12
 
13 13
 import re
14
-from cgi import escape
15 14
 from urllib import urlencode
16 15
 from lxml import html
17 16
 from searx.engines.xpath import extract_text

+ 0
- 1
searx/engines/torrentz.py Wyświetl plik

@@ -12,7 +12,6 @@
12 12
 """
13 13
 
14 14
 import re
15
-from cgi import escape
16 15
 from urllib import urlencode
17 16
 from lxml import html
18 17
 from searx.engines.xpath import extract_text

+ 5
- 6
searx/engines/translated.py Wyświetl plik

@@ -9,7 +9,6 @@
9 9
  @parse       url, title, content
10 10
 """
11 11
 import re
12
-from cgi import escape
13 12
 from searx.utils import is_valid_lang
14 13
 
15 14
 categories = ['general']
@@ -52,14 +51,14 @@ def request(query, params):
52 51
 def response(resp):
53 52
     results = []
54 53
     results.append({
55
-        'url': escape(web_url.format(
54
+        'url': web_url.format(
56 55
             from_lang=resp.search_params['from_lang'][2],
57 56
             to_lang=resp.search_params['to_lang'][2],
58
-            query=resp.search_params['query'])),
59
-        'title': escape('[{0}-{1}] {2}'.format(
57
+            query=resp.search_params['query']),
58
+        'title': '[{0}-{1}] {2}'.format(
60 59
             resp.search_params['from_lang'][1],
61 60
             resp.search_params['to_lang'][1],
62
-            resp.search_params['query'])),
63
-        'content': escape(resp.json()['responseData']['translatedText'])
61
+            resp.search_params['query']),
62
+        'content': resp.json()['responseData']['translatedText']
64 63
     })
65 64
     return results

+ 0
- 1
searx/engines/wolframalpha_noapi.py Wyświetl plik

@@ -8,7 +8,6 @@
8 8
 # @stable      no
9 9
 # @parse       url, infobox
10 10
 
11
-from cgi import escape
12 11
 from json import loads
13 12
 from time import time
14 13
 from urllib import urlencode

+ 2
- 3
searx/engines/yandex.py Wyświetl plik

@@ -9,7 +9,6 @@
9 9
  @parse       url, title, content
10 10
 """
11 11
 
12
-from cgi import escape
13 12
 from urllib import urlencode
14 13
 from lxml import html
15 14
 from searx.search import logger
@@ -52,8 +51,8 @@ def response(resp):
52 51
     for result in dom.xpath(results_xpath):
53 52
         try:
54 53
             res = {'url': result.xpath(url_xpath)[0],
55
-                   'title': escape(''.join(result.xpath(title_xpath))),
56
-                   'content': escape(''.join(result.xpath(content_xpath)))}
54
+                   'title': ''.join(result.xpath(title_xpath)),
55
+                   'content': ''.join(result.xpath(content_xpath))}
57 56
         except:
58 57
             logger.exception('yandex parse crash')
59 58
             continue

+ 1
- 1
searx/plugins/doai_rewrite.py Wyświetl plik

@@ -27,5 +27,5 @@ def on_result(request, search, result):
27 27
             if doi.endswith(suffix):
28 28
                 doi = doi[:-len(suffix)]
29 29
         result['url'] = 'http://doai.io/' + doi
30
-        result['parsed_url'] = urlparse(ctx['result']['url'])
30
+        result['parsed_url'] = urlparse(result['url'])
31 31
     return True

+ 17
- 14
searx/preferences.py Wyświetl plik

@@ -49,28 +49,32 @@ class StringSetting(Setting):
49 49
 class EnumStringSetting(Setting):
50 50
     """Setting of a value which can only come from the given choices"""
51 51
 
52
+    def _validate_selection(self, selection):
53
+        if selection not in self.choices:
54
+            raise ValidationException('Invalid value: "{0}"'.format(selection))
55
+
52 56
     def _post_init(self):
53 57
         if not hasattr(self, 'choices'):
54 58
             raise MissingArgumentException('Missing argument: choices')
55
-
56
-        if self.value != '' and self.value not in self.choices:
57
-            raise ValidationException('Invalid default value: {0}'.format(self.value))
59
+        self._validate_selection(self.value)
58 60
 
59 61
     def parse(self, data):
60
-        if data not in self.choices and data != self.value:
61
-            raise ValidationException('Invalid choice: {0}'.format(data))
62
+        self._validate_selection(data)
62 63
         self.value = data
63 64
 
64 65
 
65 66
 class MultipleChoiceSetting(EnumStringSetting):
66 67
     """Setting of values which can only come from the given choices"""
67 68
 
69
+    def _validate_selections(self, selections):
70
+        for item in selections:
71
+            if item not in self.choices:
72
+                raise ValidationException('Invalid value: "{0}"'.format(selections))
73
+
68 74
     def _post_init(self):
69 75
         if not hasattr(self, 'choices'):
70 76
             raise MissingArgumentException('Missing argument: choices')
71
-        for item in self.value:
72
-            if item not in self.choices:
73
-                raise ValidationException('Invalid default value: {0}'.format(self.value))
77
+        self._validate_selections(self.value)
74 78
 
75 79
     def parse(self, data):
76 80
         if data == '':
@@ -78,9 +82,7 @@ class MultipleChoiceSetting(EnumStringSetting):
78 82
             return
79 83
 
80 84
         elements = data.split(',')
81
-        for item in elements:
82
-            if item not in self.choices:
83
-                raise ValidationException('Invalid choice: {0}'.format(item))
85
+        self._validate_selections(elements)
84 86
         self.value = elements
85 87
 
86 88
     def parse_form(self, data):
@@ -214,11 +216,12 @@ class Preferences(object):
214 216
         super(Preferences, self).__init__()
215 217
 
216 218
         self.key_value_settings = {'categories': MultipleChoiceSetting(['general'], choices=categories),
217
-                                   'language': EnumStringSetting('all', choices=LANGUAGE_CODES),
219
+                                   'language': EnumStringSetting(settings['search']['language'],
220
+                                                                 choices=LANGUAGE_CODES),
218 221
                                    'locale': EnumStringSetting(settings['ui']['default_locale'],
219
-                                                               choices=settings['locales'].keys()),
222
+                                                               choices=settings['locales'].keys() + ['']),
220 223
                                    'autocomplete': EnumStringSetting(settings['search']['autocomplete'],
221
-                                                                     choices=autocomplete.backends.keys()),
224
+                                                                     choices=autocomplete.backends.keys() + ['']),
222 225
                                    'image_proxy': MapSetting(settings['server']['image_proxy'],
223 226
                                                              map={'': settings['server']['image_proxy'],
224 227
                                                                   '0': False,

+ 5
- 4
searx/results.py Wyświetl plik

@@ -146,16 +146,17 @@ class ResultContainer(object):
146 146
                 self._number_of_results.append(result['number_of_results'])
147 147
                 results.remove(result)
148 148
 
149
-        with RLock():
150
-            engines[engine_name].stats['search_count'] += 1
151
-            engines[engine_name].stats['result_count'] += len(results)
149
+        if engine_name in engines:
150
+            with RLock():
151
+                engines[engine_name].stats['search_count'] += 1
152
+                engines[engine_name].stats['result_count'] += len(results)
152 153
 
153 154
         if not results:
154 155
             return
155 156
 
156 157
         self.results[engine_name].extend(results)
157 158
 
158
-        if not self.paging and engines[engine_name].paging:
159
+        if not self.paging and engine_name in engines and engines[engine_name].paging:
159 160
             self.paging = True
160 161
 
161 162
         for i, result in enumerate(results):

+ 9
- 0
searx/search.py Wyświetl plik

@@ -24,6 +24,7 @@ import searx.poolrequests as requests_lib
24 24
 from searx.engines import (
25 25
     categories, engines
26 26
 )
27
+from searx.answerers import ask
27 28
 from searx.utils import gen_useragent
28 29
 from searx.query import RawTextQuery, SearchQuery
29 30
 from searx.results import ResultContainer
@@ -300,6 +301,14 @@ class Search(object):
300 301
         # start time
301 302
         start_time = time()
302 303
 
304
+        # answeres ?
305
+        answerers_results = ask(self.search_query)
306
+
307
+        if answerers_results:
308
+            for results in answerers_results:
309
+                self.result_container.extend('answer', results)
310
+            return self.result_container
311
+
303 312
         # init vars
304 313
         requests = []
305 314
 

+ 1
- 0
searx/settings.yml Wyświetl plik

@@ -5,6 +5,7 @@ general:
5 5
 search:
6 6
     safe_search : 0 # Filter results. 0: None, 1: Moderate, 2: Strict
7 7
     autocomplete : "" # Existing autocomplete backends: "dbpedia", "duckduckgo", "google", "startpage", "wikipedia" - leave blank to turn it off by default
8
+    language : "all"
8 9
 
9 10
 server:
10 11
     port : 8888

+ 1
- 0
searx/settings_robot.yml Wyświetl plik

@@ -5,6 +5,7 @@ general:
5 5
 search:
6 6
     safe_search : 0
7 7
     autocomplete : ""
8
+    language: "all"
8 9
 
9 10
 server:
10 11
     port : 11111

+ 1
- 1
searx/static/plugins/js/infinite_scroll.js Wyświetl plik

@@ -5,7 +5,7 @@ $(document).ready(function() {
5 5
             var formData = $('#pagination form:last').serialize();
6 6
             if (formData) {
7 7
                 $('#pagination').html('<div class="loading-spinner"></div>');
8
-                $.post('/', formData, function (data) {
8
+                $.post('./', formData, function (data) {
9 9
                     var body = $(data);
10 10
                     $('#pagination').remove();
11 11
                     $('#main_results').append('<hr/>');

+ 4
- 4
searx/templates/courgette/opensearch_response_rss.xml Wyświetl plik

@@ -3,14 +3,14 @@
3 3
      xmlns:opensearch="http://a9.com/-/spec/opensearch/1.1/"
4 4
      xmlns:atom="http://www.w3.org/2005/Atom">
5 5
   <channel>
6
-    <title>Searx search: {{ q }}</title>
7
-    <link>{{ base_url }}?q={{ q }}</link>
8
-    <description>Search results for "{{ q }}" - searx</description>
6
+    <title>Searx search: {{ q|e }}</title>
7
+    <link>{{ base_url }}?q={{ q|e }}</link>
8
+    <description>Search results for "{{ q|e }}" - searx</description>
9 9
     <opensearch:totalResults>{{ number_of_results }}</opensearch:totalResults>
10 10
     <opensearch:startIndex>1</opensearch:startIndex>
11 11
     <opensearch:itemsPerPage>{{ number_of_results }}</opensearch:itemsPerPage>
12 12
     <atom:link rel="search" type="application/opensearchdescription+xml" href="{{ base_url }}opensearch.xml"/>
13
-    <opensearch:Query role="request" searchTerms="{{ q }}" startPage="1" />
13
+    <opensearch:Query role="request" searchTerms="{{ q|e }}" startPage="1" />
14 14
     {% for r in results %}
15 15
     <item>
16 16
       <title>{{ r.title }}</title>

+ 5
- 5
searx/templates/courgette/results.html Wyświetl plik

@@ -1,6 +1,6 @@
1 1
 {% extends "courgette/base.html" %}
2
-{% block title %}{{ q }} - {% endblock %}
3
-{% block meta %}<link rel="alternate" type="application/rss+xml" title="Searx search: {{ q }}" href="{{ url_for('index') }}?q={{ q|urlencode }}&amp;format=rss&amp;{% for category in selected_categories %}category_{{ category }}=1&amp;{% endfor %}pageno={{ pageno }}">{% endblock %}
2
+{% block title %}{{ q|e }} - {% endblock %}
3
+{% block meta %}<link rel="alternate" type="application/rss+xml" title="Searx search: {{ q|e }}" href="{{ url_for('index') }}?q={{ q|urlencode }}&amp;format=rss&amp;{% for category in selected_categories %}category_{{ category }}=1&amp;{% endfor %}pageno={{ pageno }}">{% endblock %}
4 4
 {% block content %}
5 5
 <div class="right"><a href="{{ url_for('preferences') }}" id="preferences"><span>{{ _('preferences') }}</span></a></div>
6 6
 <div class="small search center">
@@ -17,7 +17,7 @@
17 17
             {% for output_type in ('csv', 'json', 'rss') %}
18 18
             <form method="{{ method or 'POST' }}" action="{{ url_for('index') }}">
19 19
                 <div class="left">
20
-                    <input type="hidden" name="q" value="{{ q }}" />
20
+                    <input type="hidden" name="q" value="{{ q|e }}" />
21 21
                     <input type="hidden" name="format" value="{{ output_type }}" />
22 22
                     {% for category in selected_categories %}
23 23
                     <input type="hidden" name="category_{{ category }}" value="1"/>
@@ -62,7 +62,7 @@
62 62
         {% if pageno > 1 %}
63 63
             <form method="{{ method or 'POST' }}" action="{{ url_for('index') }}">
64 64
                 <div class="left">
65
-                    <input type="hidden" name="q" value="{{ q }}" />
65
+                    <input type="hidden" name="q" value="{{ q|e }}" />
66 66
                     {% for category in selected_categories %}
67 67
                     <input type="hidden" name="category_{{ category }}" value="1"/>
68 68
                     {% endfor %}
@@ -76,7 +76,7 @@
76 76
                 {% for category in selected_categories %}
77 77
                 <input type="hidden" name="category_{{ category }}" value="1"/>
78 78
                 {% endfor %}
79
-                <input type="hidden" name="q" value="{{ q }}" />
79
+                <input type="hidden" name="q" value="{{ q|e }}" />
80 80
                 <input type="hidden" name="pageno" value="{{ pageno+1 }}" />
81 81
                 <input type="submit" value="{{ _('next page') }} >>" />
82 82
             </div>

+ 4
- 4
searx/templates/legacy/opensearch_response_rss.xml Wyświetl plik

@@ -3,14 +3,14 @@
3 3
      xmlns:opensearch="http://a9.com/-/spec/opensearch/1.1/"
4 4
      xmlns:atom="http://www.w3.org/2005/Atom">
5 5
   <channel>
6
-    <title>Searx search: {{ q }}</title>
7
-    <link>{{ base_url }}?q={{ q }}</link>
8
-    <description>Search results for "{{ q }}" - searx</description>
6
+    <title>Searx search: {{ q|e }}</title>
7
+    <link>{{ base_url }}?q={{ q|e }}</link>
8
+    <description>Search results for "{{ q|e }}" - searx</description>
9 9
     <opensearch:totalResults>{{ number_of_results }}</opensearch:totalResults>
10 10
     <opensearch:startIndex>1</opensearch:startIndex>
11 11
     <opensearch:itemsPerPage>{{ number_of_results }}</opensearch:itemsPerPage>
12 12
     <atom:link rel="search" type="application/opensearchdescription+xml" href="{{ base_url }}opensearch.xml"/>
13
-    <opensearch:Query role="request" searchTerms="{{ q }}" startPage="1" />
13
+    <opensearch:Query role="request" searchTerms="{{ q|e }}" startPage="1" />
14 14
     {% for r in results %}
15 15
     <item>
16 16
       <title>{{ r.title }}</title>

+ 5
- 5
searx/templates/legacy/results.html Wyświetl plik

@@ -1,6 +1,6 @@
1 1
 {% extends "legacy/base.html" %}
2
-{% block title %}{{ q }} - {% endblock %}
3
-{% block meta %}<link rel="alternate" type="application/rss+xml" title="Searx search: {{ q }}" href="{{ url_for('index') }}?q={{ q|urlencode }}&amp;format=rss&amp;{% for category in selected_categories %}category_{{ category }}=1&amp;{% endfor %}pageno={{ pageno }}">{% endblock %}
2
+{% block title %}{{ q|e }} - {% endblock %}
3
+{% block meta %}<link rel="alternate" type="application/rss+xml" title="Searx search: {{ q|e }}" href="{{ url_for('index') }}?q={{ q|urlencode }}&amp;format=rss&amp;{% for category in selected_categories %}category_{{ category }}=1&amp;{% endfor %}pageno={{ pageno }}">{% endblock %}
4 4
 {% block content %}
5 5
 <div class="preferences_container right"><a href="{{ url_for('preferences') }}" id="preferences"><span>preferences</span></a></div>
6 6
 <div class="small search center">
@@ -18,7 +18,7 @@
18 18
         {% for output_type in ('csv', 'json', 'rss') %}
19 19
         <form method="{{ method or 'POST' }}" action="{{ url_for('index') }}">
20 20
             <div class="left">
21
-            <input type="hidden" name="q" value="{{ q }}" />
21
+            <input type="hidden" name="q" value="{{ q|e }}" />
22 22
             <input type="hidden" name="format" value="{{ output_type }}" />
23 23
             {% for category in selected_categories %}
24 24
             <input type="hidden" name="category_{{ category }}" value="1"/>
@@ -73,7 +73,7 @@
73 73
         {% if pageno > 1 %}
74 74
             <form method="{{ method or 'POST' }}" action="{{ url_for('index') }}">
75 75
                 <div class="{% if rtl %}right{% else %}left{% endif %}">
76
-                <input type="hidden" name="q" value="{{ q }}" />
76
+                <input type="hidden" name="q" value="{{ q|e }}" />
77 77
                 {% for category in selected_categories %}
78 78
                 <input type="hidden" name="category_{{ category }}" value="1"/>
79 79
                 {% endfor %}
@@ -87,7 +87,7 @@
87 87
                 {% for category in selected_categories %}
88 88
                 <input type="hidden" name="category_{{ category }}" value="1"/>
89 89
                 {% endfor %}
90
-                <input type="hidden" name="q" value="{{ q }}" />
90
+                <input type="hidden" name="q" value="{{ q|e }}" />
91 91
                 <input type="hidden" name="pageno" value="{{ pageno+1 }}" />
92 92
                 <input type="submit" value="{{ _('next page') }} >>" />
93 93
             </div>

+ 15
- 0
searx/templates/oscar/base.html Wyświetl plik

@@ -1,3 +1,4 @@
1
+{% from 'oscar/macros.html' import icon %}
1 2
 <!DOCTYPE html>
2 3
 <html xmlns="http://www.w3.org/1999/xhtml" lang="en" xml:lang="en"{% if rtl %} dir="rtl"{% endif %}>
3 4
 <head>
@@ -54,6 +55,20 @@
54 55
 <body>
55 56
     {% include 'oscar/navbar.html' %}
56 57
     <div class="container">
58
+    {% if errors %}
59
+        <div class="alert alert-danger fade in" role="alert">
60
+            <button class="close" data-dismiss="alert" type="button">
61
+                <span aria-hidden="true">×</span>
62
+                <span class="sr-only">{{ _('Close') }}</span>
63
+            </button>
64
+            <strong class="lead">{{ icon('info-sign') }} {{ _('Error!') }}</strong>
65
+            <ul>
66
+            {% for message in errors %}
67
+                <li>{{ message }}</li>
68
+            {% endfor %}
69
+            </ul>
70
+        </div>
71
+    {% endif %}
57 72
 
58 73
     {% block site_alert_error %}
59 74
     {% endblock %}

+ 4
- 4
searx/templates/oscar/opensearch_response_rss.xml Wyświetl plik

@@ -3,14 +3,14 @@
3 3
      xmlns:opensearch="http://a9.com/-/spec/opensearch/1.1/"
4 4
      xmlns:atom="http://www.w3.org/2005/Atom">
5 5
   <channel>
6
-    <title>Searx search: {{ q }}</title>
7
-    <link>{{ base_url }}?q={{ q }}</link>
8
-    <description>Search results for "{{ q }}" - searx</description>
6
+    <title>Searx search: {{ q|e }}</title>
7
+    <link>{{ base_url }}?q={{ q|e }}</link>
8
+    <description>Search results for "{{ q|e }}" - searx</description>
9 9
     <opensearch:totalResults>{{ number_of_results }}</opensearch:totalResults>
10 10
     <opensearch:startIndex>1</opensearch:startIndex>
11 11
     <opensearch:itemsPerPage>{{ number_of_results }}</opensearch:itemsPerPage>
12 12
     <atom:link rel="search" type="application/opensearchdescription+xml" href="{{ base_url }}opensearch.xml"/>
13
-    <opensearch:Query role="request" searchTerms="{{ q }}" startPage="1" />
13
+    <opensearch:Query role="request" searchTerms="{{ q|e }}" startPage="1" />
14 14
     {% for r in results %}
15 15
     <item>
16 16
       <title>{{ r.title }}</title>

+ 29
- 0
searx/templates/oscar/preferences.html Wyświetl plik

@@ -12,6 +12,7 @@
12 12
           <li class="active"><a href="#tab_general" role="tab" data-toggle="tab">{{ _('General') }}</a></li>
13 13
           <li><a href="#tab_engine" role="tab" data-toggle="tab">{{ _('Engines') }}</a></li>
14 14
           <li><a href="#tab_plugins" role="tab" data-toggle="tab">{{ _('Plugins') }}</a></li>
15
+          {% if answerers %}<li><a href="#tab_answerers" role="tab" data-toggle="tab">{{ _('Answerers') }}</a></li>{% endif %}
15 16
           <li><a href="#tab_cookies" role="tab" data-toggle="tab">{{ _('Cookies') }}</a></li>
16 17
         </ul>
17 18
 
@@ -224,6 +225,34 @@
224 225
                 </fieldset>
225 226
             </div>
226 227
 
228
+            {% if answerers %}
229
+            <div class="tab-pane active_if_nojs" id="tab_answerers">
230
+                <noscript>
231
+                    <h3>{{ _('Answerers') }}</h3>
232
+                </noscript>
233
+                <p class="text-muted" style="margin:20px 0;">
234
+                    {{ _('This is the list of searx\'s instant answering modules.') }}
235
+                </p>
236
+                <table class="table table-striped">
237
+                    <tr>
238
+                        <th class="text-muted">{{ _('Name') }}</th>
239
+                        <th class="text-muted">{{ _('Keywords') }}</th>
240
+                        <th class="text-muted">{{ _('Description') }}</th>
241
+                        <th class="text-muted">{{ _('Examples') }}</th>
242
+                    </tr>
243
+
244
+                    {% for answerer in answerers %}
245
+                    <tr>
246
+                        <td class="text-muted">{{ answerer.info.name }}</td>
247
+                        <td class="text-muted">{{ answerer.keywords|join(', ') }}</td>
248
+                        <td class="text-muted">{{ answerer.info.description }}</td>
249
+                        <td class="text-muted">{{ answerer.info.examples|join(', ') }}</td>
250
+                    </tr>
251
+                    {% endfor %}
252
+                </table>
253
+            </div>
254
+            {% endif %}
255
+
227 256
             <div class="tab-pane active_if_nojs" id="tab_cookies">
228 257
                 <noscript>
229 258
                     <h3>{{ _('Cookies') }}</h3>

+ 6
- 1
searx/templates/oscar/result_templates/images.html Wyświetl plik

@@ -13,7 +13,12 @@
13 13
             </div>
14 14
             <div class="modal-body">
15 15
                 <img class="img-responsive center-block" src="{% if result.thumbnail_src %}{{ image_proxify(result.thumbnail_src) }}{% else %}{{ image_proxify(result.img_src) }}{% endif %}" alt="{{ result.title|striptags }}">
16
-                {% if result.content %}<p class="result-content">{{ result.content|safe }}</p>{% endif %}
16
+                {% if result.author %}<span class="photo-author">{{ result.author }}</span><br />{% endif %}
17
+                {% if result.content %}
18
+                    <p class="result-content">
19
+                        {{ result.content }}
20
+                    </p>
21
+                {% endif %}
17 22
             </div>
18 23
             <div class="modal-footer">
19 24
                 <div class="clearfix"></div>

+ 7
- 7
searx/templates/oscar/results.html Wyświetl plik

@@ -1,6 +1,6 @@
1 1
 {% extends "oscar/base.html" %}
2
-{% block title %}{{ q }} - {% endblock %}
3
-{% block meta %}<link rel="alternate" type="application/rss+xml" title="Searx search: {{ q }}" href="{{ url_for('index') }}?q={{ q|urlencode }}&amp;format=rss&amp;{% for category in selected_categories %}category_{{ category }}=1&amp;{% endfor %}pageno={{ pageno }}&amp;time_range={{ time_range }}">{% endblock %}
2
+{% block title %}{{ q|e }} - {% endblock %}
3
+{% block meta %}<link rel="alternate" type="application/rss+xml" title="Searx search: {{ q|e }}" href="{{ url_for('index') }}?q={{ q|urlencode }}&amp;format=rss&amp;{% for category in selected_categories %}category_{{ category }}=1&amp;{% endfor %}pageno={{ pageno }}&amp;time_range={{ time_range }}">{% endblock %}
4 4
 {% block content %}
5 5
     <div class="row">
6 6
         <div class="col-sm-8" id="main_results">
@@ -37,9 +37,9 @@
37 37
             <div id="pagination">
38 38
                 <div class="pull-left">
39 39
                     <form method="{{ method or 'POST' }}" action="{{ url_for('index') }}" class="pull-left">
40
-                        <input type="hidden" name="q" value="{{ q }}" />
40
+                        <input type="hidden" name="q" value="{{ q|e }}" />
41 41
                         {% for category in selected_categories %}<input type="hidden" name="category_{{ category }}" value="1"/>{% endfor %}
42
-                        <input type="hidden" name="q" value="{{ q }}" />
42
+                        <input type="hidden" name="q" value="{{ q|e }}" />
43 43
                         <input type="hidden" name="pageno" value="{{ pageno+1 }}" />
44 44
                         <input type="hidden" name="time_range" value="{{ time_range }}" />
45 45
                         <button type="submit" class="btn btn-default"><span class="glyphicon glyphicon-backward"></span> {{ _('next page') }}</button>
@@ -59,7 +59,7 @@
59 59
             <div id="pagination">
60 60
                 <div class="pull-left">
61 61
                     <form method="{{ method or 'POST' }}" action="{{ url_for('index') }}" class="pull-left">
62
-                        <input type="hidden" name="q" value="{{ q }}" />
62
+                        <input type="hidden" name="q" value="{{ q|e }}" />
63 63
                         {% for category in selected_categories %}<input type="hidden" name="category_{{ category }}" value="1"/>{% endfor %}
64 64
                         <input type="hidden" name="pageno" value="{{ pageno-1 }}" />
65 65
                         <input type="hidden" name="time_range" value="{{ time_range }}" />
@@ -69,7 +69,7 @@
69 69
                 <div class="pull-right">
70 70
                     <form method="{{ method or 'POST' }}" action="{{ url_for('index') }}"  class="pull-left">
71 71
                         {% for category in selected_categories %}<input type="hidden" name="category_{{ category }}" value="1"/>{% endfor %}
72
-                        <input type="hidden" name="q" value="{{ q }}" />
72
+                        <input type="hidden" name="q" value="{{ q|e }}" />
73 73
                         <input type="hidden" name="pageno" value="{{ pageno+1 }}" />
74 74
                         <input type="hidden" name="time_range" value="{{ time_range }}" />
75 75
                         <button type="submit" class="btn btn-default"><span class="glyphicon glyphicon-forward"></span> {{ _('next page') }}</button>
@@ -130,7 +130,7 @@
130 130
                     <div class="clearfix"></div>
131 131
                     {% for output_type in ('csv', 'json', 'rss') %}
132 132
                     <form method="{{ method or 'POST' }}" action="{{ url_for('index') }}" class="form-inline pull-{% if rtl %}right{% else %}left{% endif %} result_download">
133
-                        <input type="hidden" name="q" value="{{ q }}">
133
+                        <input type="hidden" name="q" value="{{ q|e }}">
134 134
                         <input type="hidden" name="format" value="{{ output_type }}">
135 135
                         {% for category in selected_categories %}<input type="hidden" name="category_{{ category }}" value="1">{% endfor %}
136 136
                         <input type="hidden" name="pageno" value="{{ pageno }}">

+ 3
- 3
searx/templates/pix-art/results.html Wyświetl plik

@@ -5,7 +5,7 @@
5 5
     {% endfor %}
6 6
 {% else %}
7 7
 {% extends "pix-art/base.html" %}
8
-{% block title %}{{ q }} - {% endblock %}
8
+{% block title %}{{ q|e }} - {% endblock %}
9 9
 {% block meta %}{% endblock %}
10 10
 {% block content %}
11 11
 <div id="logo"><a href="./"><img src="{{ url_for('static', filename='img/searx-pixel-small.png') }}" alt="searx Logo"/></a></div>
@@ -25,8 +25,8 @@
25 25
     </span>
26 26
     <div id="pagination">
27 27
         <br />
28
-        <input type="button" onclick="load_more('{{ q }}', {{ pageno+1 }})" id="load_more" value="{{ _('Load more...') }}" />
28
+        <input type="button" onclick="load_more('{{ q|e }}', {{ pageno+1 }})" id="load_more" value="{{ _('Load more...') }}" />
29 29
     </div>
30 30
 </div>
31 31
 {% endblock %}
32
-{% endif %}
32
+{% endif %}

+ 13
- 0
searx/utils.py Wyświetl plik

@@ -6,7 +6,10 @@ import re
6 6
 from babel.dates import format_date
7 7
 from codecs import getincrementalencoder
8 8
 from HTMLParser import HTMLParser
9
+from imp import load_source
10
+from os.path import splitext, join
9 11
 from random import choice
12
+import sys
10 13
 
11 14
 from searx.version import VERSION_STRING
12 15
 from searx.languages import language_codes
@@ -285,3 +288,13 @@ def is_valid_lang(lang):
285 288
             if l[1].lower() == lang.lower():
286 289
                 return (True, l[0][:2], l[1].lower())
287 290
         return False
291
+
292
+
293
+def load_module(filename, module_dir):
294
+    modname = splitext(filename)[0]
295
+    if modname in sys.modules:
296
+        del sys.modules[modname]
297
+    filepath = join(module_dir, filename)
298
+    module = load_source(modname, filepath)
299
+    module.name = modname
300
+    return module

+ 20
- 11
searx/webapp.py Wyświetl plik

@@ -40,7 +40,7 @@ except:
40 40
     logger.critical("cannot import dependency: pygments")
41 41
     from sys import exit
42 42
     exit(1)
43
-
43
+from cgi import escape
44 44
 from datetime import datetime, timedelta
45 45
 from urllib import urlencode
46 46
 from urlparse import urlparse, urljoin
@@ -62,11 +62,12 @@ from searx.utils import (
62 62
 )
63 63
 from searx.version import VERSION_STRING
64 64
 from searx.languages import language_codes
65
-from searx.search import Search, SearchWithPlugins, get_search_query_from_webapp
66
-from searx.query import RawTextQuery, SearchQuery
65
+from searx.search import SearchWithPlugins, get_search_query_from_webapp
66
+from searx.query import RawTextQuery
67 67
 from searx.autocomplete import searx_bang, backends as autocomplete_backends
68 68
 from searx.plugins import plugins
69 69
 from searx.preferences import Preferences, ValidationException
70
+from searx.answerers import answerers
70 71
 
71 72
 # check if the pyopenssl, ndg-httpsclient, pyasn1 packages are installed.
72 73
 # They are needed for SSL connection without trouble, see #298
@@ -344,6 +345,8 @@ def render(template_name, override_theme=None, **kwargs):
344 345
 
345 346
     kwargs['cookies'] = request.cookies
346 347
 
348
+    kwargs['errors'] = request.errors
349
+
347 350
     kwargs['instance_name'] = settings['general']['instance_name']
348 351
 
349 352
     kwargs['results_on_new_tab'] = request.preferences.get_value('results_on_new_tab')
@@ -364,15 +367,16 @@ def render(template_name, override_theme=None, **kwargs):
364 367
 
365 368
 @app.before_request
366 369
 def pre_request():
367
-    # merge GET, POST vars
370
+    request.errors = []
371
+
368 372
     preferences = Preferences(themes, categories.keys(), engines, plugins)
373
+    request.preferences = preferences
369 374
     try:
370 375
         preferences.parse_cookies(request.cookies)
371 376
     except:
372
-        # TODO throw error message to the user
373
-        logger.warning('Invalid config')
374
-    request.preferences = preferences
377
+        request.errors.append(gettext('Invalid settings, please edit your preferences'))
375 378
 
379
+    # merge GET, POST vars
376 380
     # request.form
377 381
     request.form = dict(request.form.items())
378 382
     for k, v in request.args.items():
@@ -397,7 +401,7 @@ def index():
397 401
     Supported outputs: html, json, csv, rss.
398 402
     """
399 403
 
400
-    if not request.args and not request.form:
404
+    if request.form.get('q') is None:
401 405
         return render(
402 406
             'index.html',
403 407
         )
@@ -411,6 +415,8 @@ def index():
411 415
         search = SearchWithPlugins(search_query, request)
412 416
         result_container = search.search()
413 417
     except:
418
+        request.errors.append(gettext('search error'))
419
+        logger.exception('search error')
414 420
         return render(
415 421
             'index.html',
416 422
         )
@@ -427,8 +433,10 @@ def index():
427 433
     for result in results:
428 434
         if output_format == 'html':
429 435
             if 'content' in result and result['content']:
430
-                result['content'] = highlight_content(result['content'][:1024], search_query.query.encode('utf-8'))
431
-            result['title'] = highlight_content(result['title'], search_query.query.encode('utf-8'))
436
+                result['content'] = highlight_content(escape(result['content'][:1024]),
437
+                                                      search_query.query.encode('utf-8'))
438
+            result['title'] = highlight_content(escape(result['title'] or u''),
439
+                                                search_query.query.encode('utf-8'))
432 440
         else:
433 441
             if result.get('content'):
434 442
                 result['content'] = html_to_text(result['content']).strip()
@@ -572,7 +580,7 @@ def preferences():
572 580
         try:
573 581
             request.preferences.parse_form(request.form)
574 582
         except ValidationException:
575
-            # TODO use flash feature of flask
583
+            request.errors.append(gettext('Invalid settings, please edit your preferences'))
576 584
             return resp
577 585
         return request.preferences.save(resp)
578 586
 
@@ -609,6 +617,7 @@ def preferences():
609 617
                   language_codes=language_codes,
610 618
                   engines_by_category=categories,
611 619
                   stats=stats,
620
+                  answerers=[{'info': a.self_info(), 'keywords': a.keywords} for a in answerers],
612 621
                   disabled_engines=disabled_engines,
613 622
                   autocomplete_backends=autocomplete_backends,
614 623
                   shortcuts={y: x for x, y in engine_shortcuts.items()},

+ 2
- 4
tests/unit/engines/test_bing.py Wyświetl plik

@@ -14,14 +14,12 @@ class TestBingEngine(SearxTestCase):
14 14
         params = bing.request(query, dicto)
15 15
         self.assertTrue('url' in params)
16 16
         self.assertTrue(query in params['url'])
17
+        self.assertTrue('language%3AFR' in params['url'])
17 18
         self.assertTrue('bing.com' in params['url'])
18
-        self.assertTrue('SRCHHPGUSR' in params['cookies'])
19
-        self.assertTrue('fr' in params['cookies']['SRCHHPGUSR'])
20 19
 
21 20
         dicto['language'] = 'all'
22 21
         params = bing.request(query, dicto)
23
-        self.assertTrue('SRCHHPGUSR' in params['cookies'])
24
-        self.assertTrue('en' in params['cookies']['SRCHHPGUSR'])
22
+        self.assertTrue('language' not in params['url'])
25 23
 
26 24
     def test_response(self):
27 25
         self.assertRaises(AttributeError, bing.response, None)

+ 1
- 1
tests/unit/engines/test_deezer.py Wyświetl plik

@@ -42,7 +42,7 @@ class TestDeezerEngine(SearxTestCase):
42 42
         self.assertEqual(len(results), 1)
43 43
         self.assertEqual(results[0]['title'], 'Title of track')
44 44
         self.assertEqual(results[0]['url'], 'https://www.deezer.com/track/1094042')
45
-        self.assertEqual(results[0]['content'], 'Artist Name &bull; Album Title &bull; Title of track')
45
+        self.assertEqual(results[0]['content'], 'Artist Name - Album Title - Title of track')
46 46
         self.assertTrue('100' in results[0]['embedded'])
47 47
 
48 48
         json = r"""

+ 3
- 3
tests/unit/engines/test_flickr.py Wyświetl plik

@@ -52,7 +52,7 @@ class TestFlickrEngine(SearxTestCase):
52 52
         self.assertEqual(results[0]['url'], 'https://www.flickr.com/photos/66847915@N08/15751017054')
53 53
         self.assertTrue('o.jpg' in results[0]['img_src'])
54 54
         self.assertTrue('n.jpg' in results[0]['thumbnail_src'])
55
-        self.assertTrue('Owner' in results[0]['content'])
55
+        self.assertTrue('Owner' in results[0]['author'])
56 56
         self.assertTrue('Description' in results[0]['content'])
57 57
 
58 58
         json = r"""
@@ -76,7 +76,7 @@ class TestFlickrEngine(SearxTestCase):
76 76
         self.assertEqual(results[0]['url'], 'https://www.flickr.com/photos/66847915@N08/15751017054')
77 77
         self.assertTrue('z.jpg' in results[0]['img_src'])
78 78
         self.assertTrue('z.jpg' in results[0]['thumbnail_src'])
79
-        self.assertTrue('Owner' in results[0]['content'])
79
+        self.assertTrue('Owner' in results[0]['author'])
80 80
         self.assertTrue('Description' in results[0]['content'])
81 81
 
82 82
         json = r"""
@@ -100,7 +100,7 @@ class TestFlickrEngine(SearxTestCase):
100 100
         self.assertEqual(results[0]['url'], 'https://www.flickr.com/photos/66847915@N08/15751017054')
101 101
         self.assertTrue('o.jpg' in results[0]['img_src'])
102 102
         self.assertTrue('o.jpg' in results[0]['thumbnail_src'])
103
-        self.assertTrue('Owner' in results[0]['content'])
103
+        self.assertTrue('Owner' in results[0]['author'])
104 104
         self.assertTrue('Description' in results[0]['content'])
105 105
 
106 106
         json = r"""

+ 3
- 3
tests/unit/engines/test_flickr_noapi.py Wyświetl plik

@@ -145,7 +145,7 @@ class TestFlickrNoapiEngine(SearxTestCase):
145 145
         self.assertEqual(results[0]['url'], 'https://www.flickr.com/photos/59729010@N00/14001294434')
146 146
         self.assertIn('k.jpg', results[0]['img_src'])
147 147
         self.assertIn('n.jpg', results[0]['thumbnail_src'])
148
-        self.assertIn('Owner', results[0]['content'])
148
+        self.assertIn('Owner', results[0]['author'])
149 149
 
150 150
         # no n size, only the z size
151 151
         json = """
@@ -188,7 +188,7 @@ class TestFlickrNoapiEngine(SearxTestCase):
188 188
         self.assertEqual(results[0]['url'], 'https://www.flickr.com/photos/59729010@N00/14001294434')
189 189
         self.assertIn('z.jpg', results[0]['img_src'])
190 190
         self.assertIn('z.jpg', results[0]['thumbnail_src'])
191
-        self.assertIn('Owner', results[0]['content'])
191
+        self.assertIn('Owner', results[0]['author'])
192 192
 
193 193
         # no z or n size
194 194
         json = """
@@ -231,7 +231,7 @@ class TestFlickrNoapiEngine(SearxTestCase):
231 231
         self.assertEqual(results[0]['url'], 'https://www.flickr.com/photos/59729010@N00/14001294434')
232 232
         self.assertIn('o.jpg', results[0]['img_src'])
233 233
         self.assertIn('o.jpg', results[0]['thumbnail_src'])
234
-        self.assertIn('Owner', results[0]['content'])
234
+        self.assertIn('Owner', results[0]['author'])
235 235
 
236 236
         # no image test
237 237
         json = """

+ 2
- 2
tests/unit/engines/test_kickass.py Wyświetl plik

@@ -98,7 +98,7 @@ class TestKickassEngine(SearxTestCase):
98 98
         self.assertEqual(len(results), 1)
99 99
         self.assertEqual(results[0]['title'], 'This should be the title')
100 100
         self.assertEqual(results[0]['url'], 'https://kickass.cd/url.html')
101
-        self.assertEqual(results[0]['content'], 'Posted by riri in Other &gt; Unsorted')
101
+        self.assertEqual(results[0]['content'], 'Posted by riri in Other > Unsorted')
102 102
         self.assertEqual(results[0]['seed'], 10)
103 103
         self.assertEqual(results[0]['leech'], 1)
104 104
         self.assertEqual(results[0]['filesize'], 449)
@@ -381,7 +381,7 @@ class TestKickassEngine(SearxTestCase):
381 381
         self.assertEqual(len(results), 5)
382 382
         self.assertEqual(results[0]['title'], 'This should be the title')
383 383
         self.assertEqual(results[0]['url'], 'https://kickass.cd/url.html')
384
-        self.assertEqual(results[0]['content'], 'Posted by riri in Other &gt; Unsorted')
384
+        self.assertEqual(results[0]['content'], 'Posted by riri in Other > Unsorted')
385 385
         self.assertEqual(results[0]['seed'], 10)
386 386
         self.assertEqual(results[0]['leech'], 1)
387 387
         self.assertEqual(results[0]['files'], 4)

+ 0
- 3
tests/unit/engines/test_searchcode_doc.py Wyświetl plik

@@ -56,9 +56,6 @@ class TestSearchcodeDocEngine(SearxTestCase):
56 56
         self.assertEqual(len(results), 1)
57 57
         self.assertEqual(results[0]['title'], '[Type] Namespace test')
58 58
         self.assertEqual(results[0]['url'], 'http://url')
59
-        self.assertIn('Synopsis', results[0]['content'])
60
-        self.assertIn('Type', results[0]['content'])
61
-        self.assertIn('test', results[0]['content'])
62 59
         self.assertIn('Description', results[0]['content'])
63 60
 
64 61
         json = r"""

+ 1
- 1
tests/unit/engines/test_spotify.py Wyświetl plik

@@ -90,7 +90,7 @@ class TestSpotifyEngine(SearxTestCase):
90 90
         self.assertEqual(len(results), 1)
91 91
         self.assertEqual(results[0]['title'], 'Title of track')
92 92
         self.assertEqual(results[0]['url'], 'https://open.spotify.com/track/2GzvFiedqW8hgqUpWcASZa')
93
-        self.assertEqual(results[0]['content'], 'Artist Name &bull; Album Title &bull; Title of track')
93
+        self.assertEqual(results[0]['content'], 'Artist Name - Album Title - Title of track')
94 94
         self.assertIn('1000', results[0]['embedded'])
95 95
 
96 96
         json = """

+ 16
- 0
tests/unit/test_answerers.py Wyświetl plik

@@ -0,0 +1,16 @@
1
+# -*- coding: utf-8 -*-
2
+
3
+from mock import Mock
4
+
5
+from searx.answerers import answerers
6
+from searx.testing import SearxTestCase
7
+
8
+
9
+class AnswererTest(SearxTestCase):
10
+
11
+    def test_unicode_input(self):
12
+        query = Mock()
13
+        unicode_payload = u'árvíztűrő tükörfúrógép'
14
+        for answerer in answerers:
15
+            query.query = u'{} {}'.format(answerer.keywords[0], unicode_payload)
16
+            self.assertTrue(isinstance(answerer.answer(query), list))

+ 2
- 1
tests/unit/test_webapp.py Wyświetl plik

@@ -5,6 +5,7 @@ from mock import Mock
5 5
 from urlparse import ParseResult
6 6
 from searx import webapp
7 7
 from searx.testing import SearxTestCase
8
+from searx.search import Search
8 9
 
9 10
 
10 11
 class ViewsTestCase(SearxTestCase):
@@ -41,7 +42,7 @@ class ViewsTestCase(SearxTestCase):
41 42
                                                 results_number=lambda: 3,
42 43
                                                 results_length=lambda: len(self.test_results))
43 44
 
44
-        webapp.Search.search = search_mock
45
+        Search.search = search_mock
45 46
 
46 47
         def get_current_theme_name_mock(override=None):
47 48
             return 'legacy'