use of BagOfVisualWord class in OpenImaj library

180 Views Asked by At

So in my case i should provide to computeQuantisedFeatures method two arguments , the second one is of type

        List<LocalFeature<Location, ? extends ArrayFeatureVector<byte[]>>>

i try to pass my imagekeypoints list which is of type

    LocalFeatureList<Keypoint>

and also

    List<LocalFeature<KeypointLocation, ByteFV>> features = null;
    for (java.util.Iterator<Keypoint> iter = imageKeypoints.iterator(); iter.hasNext();)
    {features.add((LocalFeature<KeypointLocation, ByteFV>)iter.next());}

but i always get the famous error

    The method computeQuantisedFeatures(HardAssigner<T,?,?>, List<LocalFeature<L,? 
    extends ArrayFeatureVector<T>>>) in the type BagOfVisualWords is not applicable for
    the arguments (HardAssigner<byte[],capture#3-of ?,capture#4-of ?>, 
    List<LocalFeature<KeypointLocation,ByteFV>>)
2

There are 2 best solutions below

0
On

As noted by Paul Bellora, this is actually a bug in the generics of that method. I've just committed a fix which will be available in the 1.1.1-SNAPSHOT versions shortly. A temporary solution is to implement the correct version of the computeQuantisedFeatures method in your class as follows:

public static <L extends Location, T> List<QuantisedLocalFeature<L>> computeQuantisedFeatures(
    HardAssigner<T, ?, ?> assigner,
    List<? extends LocalFeature<L, ? extends ArrayFeatureVector<T>>> features)
{
    final List<QuantisedLocalFeature<L>> out = new ArrayList<QuantisedLocalFeature<L>>(features.size());

    for (final LocalFeature<L, ? extends ArrayFeatureVector<T>> f : features) {
        final int idx = assigner.assign(f.getFeatureVector().values);
        out.add(new QuantisedLocalFeature<L>(f.getLocation(), idx));
    }

    return out;
}
5
On

Note: I based this answer on the Keypoint source here.

This problem arises from the fact that generics aren't covariant. The method expects a List<LocalFeature<L, ? extends ArrayFeatureVector<T>>>, but you're providing a List<Keypoint>. If the method took a List<? extends LocalFeature<L, ? extends ArrayFeatureVector<T>>> instead, it would be a legal call.

The simplest solution is to copy the contents of imagekeypoints into a newly created List<LocalFeature<KeypointLocation, ByteFV>> and pass that into the call instead.