I am trying to register a QtQuick Android application to open a certain class of files and handle them.
From what I gather, when a file is opened with a QApplication
it results in a QEvent::FileOpen
being fired.
The strongest (if inconclusive) evidence for this I have is this commit found in a production system, plus a number of blog posts and Google results.
So, I first create a new empty QtQuick project.
I then write an EventFilter, like this:
#include <QtGui>
#include <QApplication>
#include <QFileOpenEvent>
class MyEventFilter : public QObject {
public:
MyEventFilter();
virtual ~MyEventFilter();
protected:
virtual bool eventFilter(QObject* object,QEvent* event);
};
#include "myeventfilter.h"
MyEventFilter::MyEventFilter() : QObject () {}
MyEventFilter::~MyEventFilter() {}
bool MyEventFilter::eventFilter(QObject* object,QEvent* e) {
qDebug() << "Received" << e->type();
if (e->type() == QEvent::FileOpen) {
QFile file(static_cast<QFileOpenEvent *>(e)->file());
qDebug() << "File to open:" << file.fileName();
// This is where I would do stuff
return true;
} else {
return QObject::eventFilter(object,e);
}
}
I then register it and edit my manifest accordingly, by adding
<intent-filter android:label="Foo File" android:priority="1">
<action android:name="android.intent.action.VIEW"/>
<category android:name="android.intent.category.DEFAULT"/>
<category android:name="android.intent.category.BROWSABLE"/>
<data android:scheme="file" android:host="success"/>
<data android:host="*"/>
<data android:mimeType="*/*"/>
<data android:pathPattern=".*\\.foo"/>
</intent-filter>
At this point, I launch my application in the Android emulator.
When I open a .foo
file from ES File Explorer in my AVD with Nexus 5, API 22, my application is indeed brought in the foreground, but no FileOpen
events are logged.
If I set up a breakpoint inside my filter method I don't seem to be hitting it.
This puzzles me.
I tried the alternate approach by extending QApplication
and overloading event(QEvent *)
with pretty much the same results (no hits).
What could I be doing wrong?
Please find the complete repository for this MWE here.