Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

VGG Face Descriptor in python with caffe

I want implement VGG Face Descriptor in python. But I keep getting an error:

TypeError: can only concatenate list (not "numpy.ndarray") to list

My code:

import numpy as np
import cv2 
import caffe
img = cv2.imread("ak.png")
img = cv2.cvtColor(img, cv2.COLOR_RGB2BGR)
net = caffe.Net("VGG_FACE_deploy.prototxt","VGG_FACE.caffemodel",  caffe.TEST)
print net.forward(img)

Can you help me ?

UPDATE 1

This working code is example in matlab

%  Copyright (c) 2015, Omkar M. Parkhi
%  All rights reserved.
img = imread('ak.png');
img = single(img);

    Img = [129.1863,104.7624,93.5940] ;

img = cat(3,img(:,:,1)-averageImage(1),...
    img(:,:,2)-averageImage(2),...
    img(:,:,3)-averageImage(3));

img = img(:, :, [3, 2, 1]); % convert from RGB to BGR
img = permute(img, [2, 1, 3]); % permute width and height

model = 'VGG_FACE_16_deploy.prototxt';
weights = 'VGG_FACE.caffemodel';
caffe.set_mode_cpu();
net = caffe.Net(model, weights, 'test'); % create net and load weights

res = net.forward({img});
prob = res{1};

caffe_ft = net.blobs('fc7').get_data();
like image 223
Iwn Avatar asked Nov 20 '15 14:11

Iwn


2 Answers

To use python interface you need to transform the input image before feeding it to the net

img = caffe.io.load_image( "ak.png" )
img = img[:,:,::-1]*255.0 # convert RGB->BGR
avg = np.array([93.5940, 104.7624, 129.1863])  # BGR mean values
img = img - avg # subtract mean (numpy takes care of dimensions :)

Now img is H-by-W-by-3 numpy array.
Caffe expects its inputs as 4D: batch_index x channel x width x height.
Therefore you need to transpose the input and add a singleton dimension to represent the "batch_index" leading dimension

img = img.transpose((2,0,1)) 
img = img[None,:] # add singleton dimension

Now you can run the forward pass

out = net.forward_all( data = img )
like image 200
Shai Avatar answered Oct 25 '22 17:10

Shai


OpenCV reads in BGR and scaled to 255 format by default, so:

img = cv2.imread('ak.png')
avg = np.array([93.5940,104.7624,129.1863]) # BGR mean from VGG
img -= avg # subtract mean
img = img.transpose((2,0,1)) # to match image input dimension: 3x224x224
img = img[None,:] # add singleton dimension to match batch dimension
out = net.forward_all(data = img)
like image 44
loknar Avatar answered Oct 25 '22 17:10

loknar