-
Notifications
You must be signed in to change notification settings - Fork 9
/
server_nolime.py
360 lines (282 loc) · 11.1 KB
/
server_nolime.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
import time
from flask import render_template, jsonify, request
from multiprocessing import Lock
from keras.models import load_model
from keras.preprocessing.text import text_to_word_sequence
import os, sys
import pickle
import h5py
from rnn_model import hinge_rank_loss
import ipdb
import numpy as np
from flask import Flask
import tensorflow as tf
import random
import argparse
import urllib
import cStringIO
from PIL import Image
import cv2
import sqlite3
parser = argparse.ArgumentParser(description='server')
parser.add_argument("--word_index", type=str, help="location of the DICT_word_index.VAL/TRAIN.pkl", required=True)
parser.add_argument("--cache", type=str, help="location of the cache.h5 file", required=True)
parser.add_argument("--model", type=str, help="location of the model.hdf5 snapshot", required=True)
parser.add_argument("--threaded", type=int, help="Run flask server in multi--threaded/single--threaded mode", required=True)
parser.add_argument("--host", type=str, help="flask server host in app.run()", required=True)
parser.add_argument("--port", type=int, help="port on which the server will be run", required=True)
parser.add_argument("--dummy", type=int, help="run server in dummy mode for testing js/html/css etc.", required=True)
parser.add_argument("--captions_train", type=str, help="location of string captions of training images", required=True)
parser.add_argument("--captions_valid", type=str, help="location of string captions of validation images", required=True)
parser.add_argument("--vgg16", type=str, help="location of vgg16 weights", required=True)
args = parser.parse_args()
app = Flask(__name__)
DUMMY_MODE = bool(args.dummy)
MODEL_LOC = args.model
WORD_DIM = 300
# VERY IMPORTANT VARIABLES
mutex = Lock()
MAX_SEQUENCE_LENGTH = 20
MODEL=None
DICT_word_index = None
# Load Spacy
from nlp_stuff import QueryParser
QPObj = QueryParser()
if DUMMY_MODE==False:
MODEL = load_model(MODEL_LOC, custom_objects={"hinge_rank_loss":hinge_rank_loss})
graph = tf.get_default_graph()
print MODEL.summary()
assert os.path.isfile(args.word_index), "Could not find {}".format(args.word_index)
with open(args.word_index,"r") as f:
DICT_word_index = pickle.load(f)
assert DICT_word_index is not None, "Could not load dictionary that maps word to index"
im_outs = None
fnames = None
with h5py.File(args.cache) as F:
im_outs = F["data/im_outs"][:]
fnames = F["data/fnames"][:]
assert im_outs is not None, "Could not load im_outs from cache.h5"
assert fnames is not None, "Could not load fnames from cache.h5"
# load the string captions from .json file
from pycocotools.coco import COCO
train_caps = COCO(args.captions_train)
valid_caps = COCO(args.captions_valid)
def coco_url_to_flickr_url(coco_urls):
'''
mscoco.org does no longer host the images. Hence we convert the urls from mscoco.org/images/imgid to its flickr url
'''
flickr_urls = []
for url in coco_urls:
imgId = int(url.split("/")[-1])
fl_url = valid_caps.imgs[imgId]["flickr_url"] # Extract the flickr url from valid_caps (not doing from train_caps yet)
flickr_urls.append(fl_url)
assert len(flickr_urls) == len(coco_urls), "flickr_urls is not same length as coco_urls"
return flickr_urls
def get_string_captions(results_url):
''' input -> results_url (https://mscoco.org/3456)
output -> string_captions corresponding to each result in result_url
'''
results_captions = []
for result in results_url:
annIds = train_caps.getAnnIds(int(result.split("/")[-1])) # try and find image in train_caps
if len(annIds) == 0:
annIds = valid_caps.getAnnIds(int(result.split("/")[-1])) # if you can't, find it in valid_caps
assert len(annIds) > 0, "Something wrong here, could not find any caption for given image"
anns = valid_caps.loadAnns(annIds)
anns = [ c["caption"] for c in anns ]
results_captions.append(anns)
return results_captions
# Query string -> word index list
def query_string_to_word_indices(query_string):
# string -> list of words
words = text_to_word_sequence(
text = query_string,
filters='!"#$%&()*+,-./:;<=>?@[\\]^_`{|}~\t\n',
lower=True,
split=" "
)
# check if words in dictionary
all_words = DICT_word_index.keys()
for word in words:
if word not in all_words:
_err_msg = "could not find word | {} | in server's dictionary".format(word)
raise ValueError(_err_msg)
# list of words -> list of indices
words_index = []
for word in words:
words_index.append(DICT_word_index[word])
# pad to 20 words
if len(words_index) < MAX_SEQUENCE_LENGTH:
padding = [0 for _ in range(MAX_SEQUENCE_LENGTH - len(words_index))]
words_index += padding
if len(words_index) != MAX_SEQUENCE_LENGTH:
raise ValueError("words_index is not {} numbers long".format(MAX_SEQUENCE_LENGTH))
return np.array(words_index).reshape((1,MAX_SEQUENCE_LENGTH))
@app.route("/")
@app.route("/index")
def index():
return render_template("index_nolime.html", title="Home")
def run_model(query_string):
''' This fxn takes a query string
runs it through the Keras model and returns result.'''
# run forward pass
# find diff
# get images having closest diff
print "..waiting to acquire lock"
result = None
with mutex:
print "lock acquired, running model..."
if DUMMY_MODE:
time.sleep(2)
result = ["static/12345.jpg", "static/32561.jpg", "static/45321.jpg"]
captions = ["the quick brown fox jumps over the lazy dog."]
import copy
captions = copy.deepcopy(captions) + copy.deepcopy(captions) + copy.deepcopy(captions) + copy.deepcopy(captions) + copy.deepcopy(captions) # each image has 5 captions
captions = [ copy.deepcopy(captions) for i in range(3)] # we have 3 images, each with 5 captions
assert len(captions) == len(result), " #results != #captions"
coco_urls = result
flickr_urls = result
else:
assert MODEL is not None, "not in dummy mode, but model did not load!"
# convert query string to word_index
try:
word_indices = query_string_to_word_indices(query_string)
except Exception, e:
print str(e)
return 2, str(e), [], []
## multithread fix for keras/tf backend
global graph
with graph.as_default():
# forward pass
output = MODEL.predict([ np.zeros((1,4096)) , word_indices ])[:, WORD_DIM: ]
output = output / np.linalg.norm(output, axis=1, keepdims=True)
# compare with im_outs
TOP_K = 50
diff = im_outs - output
diff = np.linalg.norm(diff, axis=1)
top_k_indices = np.argsort(diff)[:TOP_K].tolist()
# populate "results" with fnames of top_k_indices
result = []
for k in top_k_indices:
result.append(fnames[k][0])
# Replace /var/coco/train2014_clean/COCO_train2014_000000364251.jpg with http://mscoco.org/images/364251
coco_urls = []
for r in result:
imname = r.split("/")[-1] # COCO_train2014_000000364251.jpg
imname = imname.split("_")[-1] # 000000364251.jpg
i = 0
while imname[i] == "0":
i += 1
imname = imname[i:] # 364251.jpg
imname = imname.rstrip(".jpg") # 364251
imname = "http://mscoco.org/images/" + imname # http://mscoco.org/images/364251
coco_urls.append(imname)
#### NOTE: Since MSCOCO.ORG NO longer hosts images, we need to fetch images from flickr #####
captions = get_string_captions(coco_urls)
flickr_urls = coco_url_to_flickr_url(coco_urls)
print '..over'
if result is None or len(result)<2:
return 1,"Err. Model prediction returned None. If you're seeing this, something went horribly wrong at our end.", [], []
else:
return 0, flickr_urls, coco_urls, captions
@app.route("/_process_query")
def process_query():
query_string = request.args.get('query', type=str)
rc, flickr_urls, coco_urls, captions = run_model(query_string)
result = {
"rc":rc,
"flickr_urls": flickr_urls,
"coco_urls" : coco_urls,
"captions": captions
}
return jsonify(result)
'''
##############################
This script "server_nolime.py" is used only for devise-rnn model.
lime results are not loaded in this case.
Files modified:
server.py --> server_nolime.py
index.html --> index_nolime.html
myscript.js --> myscript_nolime.js
The files above have been modified to NOT run lime
Please have a look at server.py, index.html and myscript.js for LIME code
##############################
'''
# @app.route("/_get_phrases")
# def get_phrases():
# query_string = request.args.get('query', type=str)
# if DUMMY_MODE == True:
# # DUMMY RESULT
# result = {
# "rc" : 0,
# "phrases": ["phrase_one", "phrase_two", "phrase_three"]
# }
# elif DUMMY_MODE == False:
# qString = str(query_string)
# cleanString = QPObj.clean_string(qString)
# parse_dict = QPObj.parse_the_string(cleanString)
# noun_chunks = parse_dict["noun_chunks"]
# noun_chunks = map(lambda x: str(x), noun_chunks)
# phrases = []
# node_paths = parse_dict["node_paths"]
# for node_path in node_paths:
# print 'root_node: ', node_path[0]
# for full_node_path in node_path[1]:
# print full_node_path
# phrases.append(" ".join(full_node_path))
# phrases = phrases + noun_chunks
# phrases = map(lambda x: str(x), phrases)
# phrases = [phrase.replace(" ","_") for phrase in phrases]
# result = {
# "rc": 0,
# "phrases": phrases
# }
# return jsonify(result)
# @app.route("/_get_LIME")
# def run_lime():
# '''
# input -> (phrase, image_id)
# get flickr_url from image_id
# This code does a lookup of the (phrase, flickr_url) tuple.
# return {rc:0, image_name:static/overlays_cache/something.png}
# '''
# phrase = request.args.get('phrase', type=str)
# image_id = request.args.get('image_id', type=str)
# phrase = phrase.strip('"') # '"cooking vegetables"' -> 'cooking vegetables'
# image_id = image_id.strip('"') # same as above
# image_id = int(image_id)
# # lookup flickr_url from image_id
# # ipdb.set_trace()
# assert image_id in valid_caps.imgs.keys(), "This image_id is not available in valid_caps"
# flickr_url = str(valid_caps.imgs[image_id]["flickr_url"])
# conn = sqlite3.connect("lime_results_dbase.db")
# cursor = conn.cursor()
# cursor.execute("select image_name from results WHERE phrase in ('{}') AND flickr_url in ('{}')".format(str(phrase), str(flickr_url)))
# dbase_results = cursor.fetchall()
# ## 0th index is phrase
# ## 1st index is flickr_url
# ## 2nd index is image_name
# if len(dbase_results) == 0:
# print "Err. could not find the pair", flickr_url, image_id, phrase
# # could not find this (flickr_url, phrase) pair in dbase
# result = {
# "rc": 1,
# "lime": "empty"
# }
# elif len(dbase_results) > 1:
# # more than one result for (flickr_url, phrase) pair
# # returning the last result
# print "Found more than one image - returning last", flickr_url, image_id, phrase
# result = {
# "rc": 0,
# "lime": "static/overlays_cache/" + str(dbase_results[-1][0])
# }
# else:
# # everything went fine, one lime image for this (flickr_url, phrase) pair
# result = {
# "rc": 0,
# "lime": "static/overlays_cache/" + str(dbase_results[-1][0])
# }
# return jsonify(result)
if __name__ == '__main__':
app.run(threaded=bool(args.threaded), host=args.host, port=args.port)