-
Notifications
You must be signed in to change notification settings - Fork 667
Expand file tree
/
Copy pathindex.py
More file actions
443 lines (337 loc) · 15.7 KB
/
index.py
File metadata and controls
443 lines (337 loc) · 15.7 KB
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
#Copyright 2008-2010 Marius Muja (mariusm@cs.ubc.ca). All rights reserved.
#Copyright 2008-2010 David G. Lowe (lowe@cs.ubc.ca). All rights reserved.
#
#THE BSD LICENSE
#
#Redistribution and use in source and binary forms, with or without
#modification, are permitted provided that the following conditions
#are met:
#
#1. Redistributions of source code must retain the above copyright
# notice, this list of conditions and the following disclaimer.
#2. Redistributions in binary form must reproduce the above copyright
# notice, this list of conditions and the following disclaimer in the
# documentation and/or other materials provided with the distribution.
#
#THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``AS IS'' AND ANY EXPRESS OR
#IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES
#OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
#IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY DIRECT, INDIRECT,
#INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
#NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
#DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
#THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
#(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF
#THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
#from pyflann.flann_ctypes import * # NOQA
import sys
from ctypes import pointer, c_float, byref, c_char_p
from pyflann.flann_ctypes import (flannlib, FLANNParameters, allowed_types,
ensure_2d_array, default_flags, flann)
import numpy as np
from pyflann.exceptions import FLANNException
import numpy.random as _rn
index_type = np.int32
def set_distance_type(distance_type, order=0):
"""
Sets the distance type used. Possible values: euclidean, manhattan, minkowski, max_dist,
hik, hellinger, cs, kl.
"""
distance_translation = {'euclidean': 1,
'manhattan': 2,
'minkowski': 3,
'max_dist': 4,
'hik': 5,
'hellinger': 6,
'chi_square': 7,
'cs': 7,
'kullback_leibler': 8,
'kl': 8,
}
if isinstance(distance_type, str):
distance_type = distance_translation[distance_type]
flannlib.flann_set_distance_type(distance_type, order)
def to_bytes(string):
if sys.hexversion > 0x03000000:
return bytes(string, 'utf-8')
return string
# This class is derived from an initial implementation by Hoyt Koepke
# (hoytak@cs.ubc.ca)
class FLANN(object):
"""
This class defines a python interface to the FLANN lirary.
"""
__rn_gen = _rn.RandomState()
_as_parameter_ = property(lambda self: self.__curindex)
def __init__(self, **kwargs):
"""
Constructor for the class and returns a class that can bind to
the flann libraries. Any keyword arguments passed to __init__
override the global defaults given.
"""
self.__rn_gen.seed()
self.__curindex = None
self.__curindex_data = None
self.__curindex_type = None
self.__flann_parameters = FLANNParameters()
self.__flann_parameters.update(kwargs)
def __del__(self):
self.delete_index()
##########################################################################
# actual workhorse functions
def nn(self, pts, qpts, num_neighbors=1, **kwargs):
"""
Returns the num_neighbors nearest points in dataset for each point
in testset.
"""
if pts.dtype.type not in allowed_types:
raise FLANNException('Cannot handle type: %s' % pts.dtype)
if qpts.dtype.type not in allowed_types:
raise FLANNException('Cannot handle type: %s' % qpts.dtype)
if pts.dtype != qpts.dtype:
raise FLANNException('Data and query must have the same type')
pts = ensure_2d_array(pts, default_flags)
qpts = ensure_2d_array(qpts, default_flags)
npts, dim = pts.shape
nqpts = qpts.shape[0]
assert qpts.shape[1] == dim, 'data and query must have the same dims'
assert npts >= num_neighbors, 'more neighbors than there are points'
result = np.empty((nqpts, num_neighbors), dtype=index_type)
if pts.dtype == np.float64:
dists = np.empty((nqpts, num_neighbors), dtype=np.float64)
else:
dists = np.empty((nqpts, num_neighbors), dtype=np.float32)
self.__flann_parameters.update(kwargs)
flann.find_nearest_neighbors[
pts.dtype.type](
pts, npts, dim, qpts, nqpts, result, dists, num_neighbors,
pointer(self.__flann_parameters))
if num_neighbors == 1:
return (result.reshape(nqpts), dists.reshape(nqpts))
else:
return (result, dists)
def build_index(self, pts, **kwargs):
"""
This builds and internally stores an index to be used for
future nearest neighbor matchings. It erases any previously
stored indexes, so use multiple instances of this class to
work with multiple stored indices. Use nn_index(...) to find
the nearest neighbors in this index.
pts is a 2d numpy array or matrix. All the computation is done
in np.float32 type, but pts may be any type that is convertable
to np.float32.
"""
if pts.dtype.type not in allowed_types:
raise FLANNException('Cannot handle type: %s' % pts.dtype)
pts = ensure_2d_array(pts, default_flags)
npts, dim = pts.shape
self.__ensureRandomSeed(kwargs)
self.__flann_parameters.update(kwargs)
if self.__curindex is not None:
flann.free_index[self.__curindex_type](
self.__curindex, pointer(self.__flann_parameters))
self.__curindex = None
speedup = c_float(0)
self.__curindex = flann.build_index[pts.dtype.type](
pts, npts, dim, byref(speedup), pointer(self.__flann_parameters))
self.__curindex_data = pts
self.__curindex_type = pts.dtype.type
params = dict(self.__flann_parameters)
params['speedup'] = speedup.value
return params
def save_index(self, filename):
"""
This saves the index to a disk file.
"""
if self.__curindex is not None:
flann.save_index[self.__curindex_type](
self.__curindex, c_char_p(to_bytes(filename)))
def load_index(self, filename, pts):
"""
Loads an index previously saved to disk.
"""
if pts.dtype.type not in allowed_types:
raise FLANNException('Cannot handle type: %s' % pts.dtype)
pts = ensure_2d_array(pts, default_flags)
npts, dim = pts.shape
if self.__curindex is not None:
flann.free_index[self.__curindex_type](
self.__curindex, pointer(self.__flann_parameters))
self.__curindex = None
self.__curindex_data = None
self.__curindex_type = None
self.__curindex = flann.load_index[pts.dtype.type](
c_char_p(to_bytes(filename)), pts, npts, dim)
self.__curindex_data = pts
self.__curindex_type = pts.dtype.type
def used_memory(self):
"""
Returns the number of bytes consumed by the index.
"""
return flann.used_memory[self.__curindex_type](self.__curindex)
def add_points(self, pts, rebuild_threshold=2.0):
"""
Adds points to pre-built index.
Params:
pts: 2D numpy array of points.\n
rebuild_threshold: reallocs index when it grows by factor of \
`rebuild_threshold`. A smaller value results is more space \
efficient but less computationally efficient. Must be greater \
than 1.
"""
if not pts.dtype.type in allowed_types:
raise FLANNException("Cannot handle type: %s"%pts.dtype)
pts = ensure_2d_array(pts,default_flags)
npts, dim = pts.shape
flann.add_points[self.__curindex_type](self.__curindex, pts, npts, dim, rebuild_threshold)
self.__curindex_data = np.row_stack((self.__curindex_data,pts))
def remove_point(self, idx):
"""
Removes a point from a pre-built index.
"""
flann.remove_point[self.__curindex_type](self.__curindex, idx)
self.__curindex_data = np.delete(self.__curindex_data,idx,axis=0)
def nn_index(self, qpts, num_neighbors=1, **kwargs):
"""
For each point in querypts, (which may be a single point), it
returns the num_neighbors nearest points in the index built by
calling build_index.
"""
if self.__curindex is None:
raise FLANNException(
'build_index(...) method not called first or current index deleted.')
if qpts.dtype.type not in allowed_types:
raise FLANNException('Cannot handle type: %s' % qpts.dtype)
if self.__curindex_type != qpts.dtype.type:
raise FLANNException('Index and query must have the same type')
qpts = ensure_2d_array(qpts, default_flags)
npts, dim = self.__curindex_data.shape
if qpts.size == dim:
qpts.reshape(1, dim)
nqpts = qpts.shape[0]
assert qpts.shape[1] == dim, 'data and query must have the same dims'
assert npts >= num_neighbors, 'more neighbors than there are points'
result = np.empty((nqpts, num_neighbors), dtype=index_type)
if self.__curindex_type == np.float64:
dists = np.empty((nqpts, num_neighbors), dtype=np.float64)
else:
dists = np.empty((nqpts, num_neighbors), dtype=np.float32)
self.__flann_parameters.update(kwargs)
flann.find_nearest_neighbors_index[
self.__curindex_type](
self.__curindex, qpts, nqpts, result, dists, num_neighbors,
pointer(self.__flann_parameters))
if num_neighbors == 1:
return (result.reshape(nqpts), dists.reshape(nqpts))
else:
return (result, dists)
def nn_radius(self, query, radius, **kwargs):
if self.__curindex is None:
raise FLANNException(
'build_index(...) method not called first or current index deleted.')
if query.dtype.type not in allowed_types:
raise FLANNException('Cannot handle type: %s' % query.dtype)
if self.__curindex_type != query.dtype.type:
raise FLANNException('Index and query must have the same type')
npts, dim = self.__curindex_data.shape
assert query.shape[0] == dim, 'data and query must have the same dims'
result = np.empty(npts, dtype=index_type)
if self.__curindex_type == np.float64:
dists = np.empty(npts, dtype=np.float64)
else:
dists = np.empty(npts, dtype=np.float32)
self.__flann_parameters.update(kwargs)
nn = flann.radius_search[
self.__curindex_type](
self.__curindex, query, result, dists, npts, radius,
pointer(self.__flann_parameters))
return (result[0:nn], dists[0:nn])
def delete_index(self, **kwargs):
"""
Deletes the current index freeing all the momory it uses.
The memory used by the dataset that was indexed is not freed.
"""
self.__flann_parameters.update(kwargs)
if self.__curindex is not None:
flann.free_index[self.__curindex_type](
self.__curindex, pointer(self.__flann_parameters))
self.__curindex = None
self.__curindex_data = None
##########################################################################
# Clustering functions
def kmeans(self, pts, num_clusters, max_iterations=None,
dtype=None, **kwargs):
"""
Runs kmeans on pts with num_clusters centroids. Returns a
numpy array of size num_clusters x dim.
If max_iterations is not None, the algorithm terminates after
the given number of iterations regardless of convergence. The
default is to run until convergence.
If dtype is None (the default), the array returned is the same
type as pts. Otherwise, the returned array is of type dtype.
"""
if int(num_clusters) != num_clusters or num_clusters < 1:
raise FLANNException('num_clusters must be an integer >= 1')
if num_clusters == 1:
if dtype is None or dtype == pts.dtype:
return np.mean(pts, 0).reshape(1, pts.shape[1])
else:
return dtype(np.mean(pts, 0).reshape(1, pts.shape[1]))
return self.hierarchical_kmeans(pts, int(num_clusters), 1,
max_iterations,
dtype, **kwargs)
def hierarchical_kmeans(self, pts, branch_size, num_branches,
max_iterations=None,
dtype=None, **kwargs):
"""
Clusters the data by using multiple runs of kmeans to
recursively partition the dataset. The number of resulting
clusters is given by (branch_size-1)*num_branches+1.
This method can be significantly faster when the number of
desired clusters is quite large (e.g. a hundred or more).
Higher branch sizes are slower but may give better results.
If dtype is None (the default), the array returned is the same
type as pts. Otherwise, the returned array is of type dtype.
"""
# First verify the paremeters are sensible.
if pts.dtype.type not in allowed_types:
raise FLANNException('Cannot handle type: %s' % pts.dtype)
if int(branch_size) != branch_size or branch_size < 2:
raise FLANNException('branch_size must be an integer >= 2.')
branch_size = int(branch_size)
if int(num_branches) != num_branches or num_branches < 1:
raise FLANNException('num_branches must be an integer >= 1.')
num_branches = int(num_branches)
if max_iterations is None:
max_iterations = -1
else:
max_iterations = int(max_iterations)
# init the arrays and starting values
pts = ensure_2d_array(pts, default_flags)
npts, dim = pts.shape
num_clusters = (branch_size - 1) * num_branches + 1
if pts.dtype.type == np.float64:
result = np.empty((num_clusters, dim), dtype=np.float64)
else:
result = np.empty((num_clusters, dim), dtype=np.float32)
# set all the parameters appropriately
self.__ensureRandomSeed(kwargs)
params = {'iterations': max_iterations,
'algorithm': 'kmeans',
'branching': branch_size,
'random_seed': kwargs['random_seed']}
self.__flann_parameters.update(params)
numclusters = flann.compute_cluster_centers[pts.dtype.type](
pts, npts, dim, num_clusters, result,
pointer(self.__flann_parameters))
if numclusters <= 0:
raise FLANNException('Error occured during clustering procedure.')
if dtype is None:
return result
else:
return dtype(result)
##########################################################################
# internal bookkeeping functions
def __ensureRandomSeed(self, kwargs):
if 'random_seed' not in kwargs:
kwargs['random_seed'] = self.__rn_gen.randint(2 ** 30)