An ORM model for the Sphinx full-text search engine.
See http://www.sphinxsearch.com/ for more information.
It currently supports the following:
class MyModel(models.Model):
search = SphinxSearch()
MyModel.search.query('query')
MyModel.search.query('query').order_by('@weight', '@id', 'my_attribute')
MyModel.search.query('query').filter(my_attribute=5)
MyModel.search.query('query').filter(my_other_attribute=[5, 3,4])
MyModel.search.query('query').exclude(my_attribute=5)[0:10]
MyModel.search.query('query').count()
SphinxSearch().query('hello').on_index('model_myapp model_myotherapp')
Returns an ordered list of the objects in your database.
-- Update:
New Methods:
- count()
- index_on(<str index>)
- extra(<see django>)
- all() (does nothing)
- select_related(<see django>)
- group_by(<str attribute>, <const function>[, <str sort>)
- weights(<list weights>)
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 | # Sphinx Search Engine ORM for Django models
# search = SphinxSearch([index=<string>, weight=[<int>,], mode=<string>])
# http://www.sphinxsearch.com/
# settings.py should contain:
# SPHINX_SERVER = 'localhost'
# SPHINX_PORT = 3312
import select, socket
from struct import *
from django.conf import settings
# If you don't want multiple index support you can comment this line
# For indexes used in these queries you will need them to all have the
# same attributes, and an additional content_type attribute which
# is set as the content_type id of that model
# e.g.
# SELECT id, name, 1 as content_type FROM model_myapp
# SELECT id, name, 2 as content_type FROM model_myotherapp
# SphinxSearch().query('hello').on_index('model_myapp model_myotherapp')
from django.contrib.contenttypes.models import ContentType
# known searchd commands
SEARCHD_COMMAND_SEARCH = 0
SEARCHD_COMMAND_EXCERPT = 1
# current client-side command implementation versions
VER_COMMAND_SEARCH = 0x107
VER_COMMAND_EXCERPT = 0x100
# known searchd status codes
SEARCHD_OK = 0
SEARCHD_ERROR = 1
SEARCHD_RETRY = 2
SEARCHD_WARNING = 3
# known match modes
SPH_MATCH_ALL = 0
SPH_MATCH_ANY = 1
SPH_MATCH_PHRASE = 2
SPH_MATCH_BOOLEAN = 3
SPH_MATCH_EXTENDED = 4
# known sort modes
SPH_SORT_RELEVANCE = 0
SPH_SORT_ATTR_DESC = 1
SPH_SORT_ATTR_ASC = 2
SPH_SORT_TIME_SEGMENTS = 3
SPH_SORT_EXTENDED = 4
# known attribute types
SPH_ATTR_INTEGER = 1
SPH_ATTR_TIMESTAMP = 2
# known grouping functions
SPH_GROUPBY_DAY = 0
SPH_GROUPBY_WEEK = 1
SPH_GROUPBY_MONTH = 2
SPH_GROUPBY_YEAR = 3
SPH_GROUPBY_ATTR = 4
class SearchError(Exception):
def __init__(self, message):
self.message = message
def __str__(self):
return str(self.message)
class ConnectionError(Exception):
def __init__(self, message):
self.message = message
def __str__(self):
return str(self.message)
class SphinxSearch(object):
def __init__(self, index=None, **kwargs):
self.init()
if index:
self._index = index
else:
self._index = None
if 'mode' in kwargs:
self.mode(kwargs['mode'])
if 'weights' in kwargs:
self.weights(kwargs['weights'])
def init(self):
self._select_related = False
self._select_related_args = {}
self._filters = {}
self._excludes = {}
self._extra = {}
self._query = ''
self._offset = 0
self._limit = 20
self._min_id = 0 # we dont use this currently
self._max_id = 0xFFFFFFFF # dont use this either
self._maxmatches = 1000
self._sort = SPH_SORT_RELEVANCE
self._sortby = 'desc'
self._groupby = ''
self._groupfunc = SPH_GROUPBY_DAY
self._groupsort = '@group desc'
self._result_cache = None
self._weights = [100, 1]
self._mode = SPH_MATCH_ALL
self._model = None
def __get__(self, instance, instance_model, **kwargs):
if instance != None:
raise AttributeError, "Manager isn't accessible via %s instances" % type.__name__
self.init()
self._model = instance_model
if not self._index:
self._index = self._model._meta.db_table
return self
def __repr__(self):
return repr(self._get_data())
def __len__(self):
return len(self._get_data())
def __iter__(self):
return iter(self._get_data())
def __getitem__(self, k):
if not isinstance(k, (slice, int)):
raise TypeError
assert (not isinstance(k, slice) and (k >= 0)) \
or (isinstance(k, slice) and (k.start is None or k.start >= 0) and (k.stop is None or k.stop >= 0)), \
"Negative indexing is not supported."
if type(k) == slice:
if self._offset < k.start or k.stop-k.start > self._limit:
self._result_cache = None
else:
if k not in range(self._offset, self._limit+self._offset):
self._result_cache = None
if self._result_cache is None:
if type(k) == slice:
self._offset = k.start
self._limit = k.stop-k.start
return self._get_results()
else:
self._offset = k
self._limit = 1
return self._get_results()[0]
else:
return self._result_cache[k]
def _get_data(self):
assert(self._index)
assert(self._query)
# need to find a way to make this work yet
if self._result_cache is None:
self._result_cache = list(self._get_results())
return self._result_cache
def query(self, string):
self._query = string
return self
def mode(self, mode):
assert(mode in [SPH_MATCH_ALL, SPH_MATCH_ANY, SPH_MATCH_PHRASE, SPH_MATCH_BOOLEAN, SPH_MATCH_EXTENDED])
self._mode = mode
return self
def group_by(self, attribute, func, groupsort='@group desc'):
assert(isinstance(attribute, str))
assert(func in [SPH_GROUPBY_DAY, SPH_GROUPBY_WEEK, SPH_GROUPBY_MONTH, SPH_GROUPBY_YEAR, SPH_GROUPBY_ATTR] )
assert(isinstance(groupsort, str))
self._groupby = attribute
self._groupfunc = func
self._groupsort = groupsort
return self
def weights(self, weights):
assert(isinstance(weights, list))
for w in weights:
assert(isinstance(w, int))
self._weights = weights
# only works on attributes
def filter(self, **kwargs):
for k,v in kwargs.iteritems():
assert(isinstance(k, str))
assert(v != None)
if not isinstance(v, list):
v = [v,]
v = [isinstance(value, bool) and value and 1 or 0 or int(value) for value in v]
if not k in self._filters:
self._filters[k] = []
if v not in self._filters[k]:
self._filters[k] += v
return self
def on_index(self, index):
self._index = index
return self
# this actually does nothing, its just a passthru to
# keep things looking/working generally the same
def all(self):
return self
# only works on attributes
def exclude(self, **kwargs):
for k,v in kwargs.iteritems():
assert(isinstance(k, str))
assert(v != None)
if not isinstance(v, list):
v = [v,]
v = [isinstance(value, bool) and value and 1 or 0 or int(value) for value in v]
if not k in self._excludes:
self._excludes[k] = []
if v not in self._excludes[k]:
self._excludes[k] += v
return self
# you cannot order by @weight (it always orders in descending)
# keywords are @id, @weight, @rank, and @relevance
def order_by(self, *args):
sort_by = []
for arg in args:
sort = 'ASC'
if arg[0] == '-':
arg = arg[1:]
sort = 'DESC'
if arg == 'id':
arg = '@id'
assert(isinstance(arg, str))
sort_by.append('%s %s' % (arg, sort))
if sort_by:
self._sort = SPH_SORT_EXTENDED
self._sortby = ', '.join(sort_by)
return self
# pass these thru on the queryset and let django handle it
def select_related(self, **kwargs):
self._select_related = True
self._select_related_args.update(**kwargs)
return self
# sphinxapi
def _connect(self):
"""
connect to searchd server
"""
try:
sock = socket.socket (socket.AF_INET, socket.SOCK_STREAM)
sock.connect((settings.SPHINX_SERVER, settings.SPHINX_PORT))
except socket.error, msg:
if sock:
sock.close()
raise ConnectionError, 'connection to %s:%s failed (%s)' % (settings.SPHINX_SERVER, settings.SPHINX_PORT, msg)
v = unpack('>L', sock.recv(4))
if v < 1:
sock.close()
raise SearchError, 'expected searchd protocol version, got %s' % v
# all ok, send my version
sock.send(pack('>L', 1))
return sock
def _get_response(self, sock, client_ver):
"""
get and check response packet from searchd server
"""
(status, ver, length) = unpack('>2HL', sock.recv(8))
response = ''
left = length
while left > 0:
chunk = sock.recv(left)
if chunk:
response += chunk
left -= len(chunk)
else:
break
sock.close()
# check response
read = len(response)
if not response or read != length:
if length:
raise SearchError, 'failed to read searchd response (status=%s, ver=%s, len=%s, read=%s)' \
% (status, ver, length, read)
raise SearchError, 'received zero-sized searchd response'
# check status
if status == SEARCHD_WARNING:
wend = 4 + unpack ( '>L', response[0:4] )[0]
self._warning = response[4:wend]
return response[wend:]
elif status == SEARCHD_ERROR:
raise SearchError, 'searchd error: '+response[4:]
elif status == SEARCHD_RETRY:
raise SearchError, 'temporary searchd error: '+response[4:]
elif status != SEARCHD_OK:
raise SearchError, 'unknown status code %d' % status
# check version
if ver < client_ver:
self._warning = 'searchd command v.%d.%d older than client\'s v.%d.%d, some options might not work' \
% (ver>>8, ver&0xff, client_ver>>8, client_ver&0xff)
return response
def _get_sphinx_results(self):
sock = self._connect()
if not sock:
raise SearchError, "unknown error trying to connect"
# build request
req = [pack('>4L', self._offset, self._limit, self._mode, self._sort)]
req.append(pack('>L', len(self._sortby)))
req.append(self._sortby)
req.append(pack('>L', len(self._query)))
req.append(self._query)
req.append(pack('>L', len(self._weights)))
for w in self._weights:
req.append(pack('>L', w))
req.append(pack('>L', len(self._index)))
req.append(self._index)
req.append(pack('>L', self._min_id))
req.append(pack('>L', self._max_id))
# filters
req.append(pack('>L', len(self._filters)+len(self._excludes)))
for k,vl in self._filters.iteritems():
req.append(pack('>L', len(k)))
req.append(k)
req.append(pack('>L', len(vl)))
for v in vl:
req.append(pack('>L', v))
# req.append(pack('>3L', 0, f['min'], f['max'])) -- this seems useless, dont think we need support
req.append(pack('>L', 0))
for k,v in self._excludes.iteritems():
req.append(pack('>L', len(k)))
req.append(k)
req.append(pack('>L', len(vl)))
for v in vl:
req.append (pack('>L', v))
req.append(pack('>L', 1))
# group-by, max-matches, group-sort
req.append(pack('>2L', self._groupfunc, len(self._groupby)))
req.append(self._groupby)
req.append(pack('>2L', self._maxmatches, len(self._groupsort)))
req.append(self._groupsort)
# send query, get response
req = ''.join(req)
length = len(req)
req = pack('>2HL', SEARCHD_COMMAND_SEARCH, VER_COMMAND_SEARCH, length)+req
sock.send(req)
response = self._get_response(sock, VER_COMMAND_SEARCH)
if not response:
return {}
# parse response
result = {}
max_ = len(response)
# read schema
p = 0
fields = []
attrs = []
nfields = unpack('>L', response[p:p+4])[0]
p += 4
while nfields > 0 and p < max_:
nfields -= 1
length = unpack('>L', response[p:p+4])[0]
p += 4
fields.append(response[p:p+length])
p += length
nattrs = unpack('>L', response[p:p+4])[0]
p += 4
while nattrs>0 and p<max_:
nattrs -= 1
length = unpack('>L', response[p:p+4])[0]
p += 4
attr = response[p:p+length]
p += length
type_ = unpack('>L', response[p:p+4])[0]
p += 4
attrs.append(attr)
# read match count
count = unpack('>L', response[p:p+4])[0]
p += 4
# read matches
results = {}
results['attrs'] = attrs
results['matches'] = []
while count>0 and p<max_:
count -= 1
doc, weight = unpack('>2L', response[p:p+8])
match = {
'doc': doc,
'weight': weight,
'attrs': {},
}
#p += 8+(len(attrs)*4)
p += 8
for i in range(len(attrs)):
match['attrs'][i] = unpack('>L', response[p:p+4])[0]
p += 4
results['matches'].append(match)
results['total'], results['total_found'], results['time'], words = \
unpack('>4L', response[p:p+16])
results['time'] = '%.3f' % (results['time']/1000.0)
sock.close()
return results
def extra(self, **kwargs):
self._extra.update(**kwargs)
return self
def count(self):
return self._get_sphinx_results()['total_found']
def _get_results(self):
results = self._get_sphinx_results()
if results['matches'] and self._model:
qs = self._model.objects.filter(pk__in=[r['doc'] for r in results['matches']])
if self._select_related:
qs = qs.select_related(self._select_related_args)
if self._extra:
qs = qs.extra(**self._extra)
queryset = dict([(o.id, o) for o in qs])
results = [queryset[k['doc']] for k in results['matches'] if k['doc'] in queryset]
elif results['matches']:
"We did a query without a model, lets see if there's a content_type"
if 'content_type' in results['attrs']:
"Now we have to do one query per content_type"
x = results['attrs'].index('content_type')
objcache = {}
for r in results['matches']:
ct = r['attrs'][x]
if ct not in objcache:
objcache[ct] = {}
objcache[ct][r['doc']] = None
for ct in objcache:
qs = ContentType.objects.get(pk=ct).model_class().objects.filter(pk__in=objcache[ct])
for o in qs:
objcache[ct][o.id] = o
results = [objcache[r['attrs'][x]][r['doc']] for r in results['matches']]
else:
results = results['matches']
else:
results = []
self._result_cache = results
return results
|
More like this
- Template tag - list punctuation for a list of items by shapiromatron 10 months, 1 week ago
- JSONRequestMiddleware adds a .json() method to your HttpRequests by cdcarter 10 months, 2 weeks ago
- Serializer factory with Django Rest Framework by julio 1 year, 5 months ago
- Image compression before saving the new model / work with JPG, PNG by Schleidens 1 year, 6 months ago
- Help text hyperlinks by sa2812 1 year, 6 months ago
Comments
import select is unnecessary, probably a leftover from the original sphinx Python driver.
Great job, can't wait to test it on my apps.
#
Do you create a new model just for Sphinx Search? For example if I have "post" model defined with all the fields, what do I need to do get Sphinx Search to work?
Can I do this?
class Post(models.Model):
#
i am getting:
Error in formatting: searchd error: invalid index 'xxxxx' specified in request
where xxxxx is the name of my table....anyone seen this?
#
oops, index name in sphinx.conf must be the same name as the table you are searching...works now...thanks!!!!
#
are these lines of code really necessary? what is there purpose?
queryset = dict([(o.id, o) for o in qs]) results = [queryset[k['doc']] for k in results['matches'] if k['doc'] in queryset]
#
Please login first before commenting.