Для разработки расширений можно использовать язык программирования Python. По сравнению с классическими расширениями, написанными на C++, их легче разрабатывать, понимать, поддерживать и распространять в силу динамической природы самого Python.
Python plugins are listed together with C++ plugins in QGIS plugin manager.
They’re being searched for in these paths:
Разработка расширения
Since the introduction of python plugins in QGIS, a number of plugins have
appeared - on Plugin Repositories wiki page
you can find some of them, you can use their source to learn more about
programming with PyQGIS or find out whether you are not duplicating development
effort. QGIS team also maintains an Official python plugin repository.
Ready to create a plugin but no idea what to do? Python Plugin Ideas wiki page lists wishes from the community!
Plugin files
Here’s the directory structure of our example plugin:
PYTHON_PLUGINS_PATH/
MyPlugin/
__init__.py --> *required*
mainPlugin.py --> *required*
metadata.txt --> *required*
resources.qrc --> *likely useful*
resources.py --> *compiled version, likely useful*
form.ui --> *likely useful*
form.py --> *compiled version, likely useful*
Для чего используются файлы:
- __init__.py = The starting point of the plugin. It has to have the classFactory method and may have any other initialisation code.
- mainPlugin.py = The main working code of the plugin. Contains all the information
about the actions of the plugin and the main code.
- resources.qrc = The .xml document created by QT-Designer. Contains relative
paths to resources of the forms.
- resources.py = The translation of the .qrc file described above to Python.
- form.ui = The GUI created by QT-Designer.
- form.py = The translation of the form.ui described above to Python.
- metadata.txt = Required for QGIS >= 1.8.0. Containts general info, version,
name and some other metadata used by plugins website and plugin infrastructure.
Since QGIS 2.0 the metadata from __init__.py are not accepted anymore and the metadata.txt
is required.
Here
is an online automated way of creating the basic files (skeleton) of a typical
QGIS Python plugin.
Also there is a QGIS plugin called Plugin Builder that creates plugin template from QGIS and doesn’t require internet connection.
This is the recommended option, as it produces 2.0 compatible sources.
Plugin content
Here you can find information and examples about what to add in each of the files in the file structure described above.
__init__.py
This file is required by Python’s import system. Also, Quantum GIS requires that this file contains a classFactory() function,
which is called when the plugin gets loaded to QGIS. It receives reference to instance of
QgisInterface and must return instance of your plugin’s class from the mainplugin.py - in our
case it’s called TestPlugin (see below). This is how __init__.py should look like:
def classFactory(iface):
from mainPlugin import TestPlugin
return TestPlugin(iface)
## any other initialisation needed
mainPlugin.py
This is where the magic happens and this is how magic looks like:
(e.g. mainPlugin.py):
from PyQt4.QtCore import *
from PyQt4.QtGui import *
from qgis.core import *
# initialize Qt resources from file resouces.py
import resources
class TestPlugin:
def __init__(self, iface):
# save reference to the QGIS interface
self.iface = iface
def initGui(self):
# create action that will start plugin configuration
self.action = QAction(QIcon(":/plugins/testplug/icon.png"), "Test plugin", \
self.iface.mainWindow())
self.action.setObjectName("testAction")
self.action.setWhatsThis("Configuration for test plugin")
self.action.setStatusTip("This is status tip")
QObject.connect(self.action, SIGNAL("triggered()"), self.run)
# add toolbar button and menu item
self.iface.addToolBarIcon(self.action)
self.iface.addPluginToMenu("&Test plugins", self.action)
# connect to signal renderComplete which is emitted when canvas
# rendering is done
QObject.connect(self.iface.mapCanvas(), SIGNAL("renderComplete(QPainter *)"), \
self.renderTest)
def unload(self):
# remove the plugin menu item and icon
self.iface.removePluginMenu("&Test plugins",self.action)
self.iface.removeToolBarIcon(self.action)
# disconnect form signal of the canvas
QObject.disconnect(self.iface.mapCanvas(), SIGNAL("renderComplete(QPainter *)"), \
self.renderTest)
def run(self):
# create and show a configuration dialog or something similar
print "TestPlugin: run called!"
def renderTest(self, painter):
# use painter for drawing to map canvas
print "TestPlugin: renderTest called!"
The only plugin functions that must exist in the main plugin source file (e.g. mainPlugin.py) are::
- __init__ –> which gives access to Quantum GIS’ interface
- initGui() –> called when the plugin is loaded
- unload() –> called when the plugin is unloaded
You can see that in the above example, the ``:func:`addPluginToMenu`<http://qgis.org/api/classQgisInterface.html#ad1af604ed4736be2bf537df58d1399c3>`_ is used. This will add the corresponding menu action to the Plugins menu. Alternative methods exist to add the action to a different menu. Here is a list of those methods:
- addPluginToRasterMenu()
- addPluginToVectorMenu()
- addPluginToDatabaseMenu()
- addPluginToWebMenu()
All of them have the same syntax as the addPluginToMenu() method.
Adding your plugin menu to one of those predefined method is recommended to keep consistency in how plugin entries are organized. However, you can add your custom menu group directly to the menu bar, as the next example demonstrates:
def initGui(self):
self.menu = QMenu(self.iface.mainWindow())
self.menu.setObjectName("testMenu")
self.menu.setTitle("MyMenu")
self.action = QAction(QIcon(":/plugins/testplug/icon.png"), "Test plugin", \
self.iface.mainWindow())
self.action.setObjectName("testAction")
self.action.setWhatsThis("Configuration for test plugin")
self.action.setStatusTip("This is status tip")
QObject.connect(self.action, SIGNAL("triggered()"), self.run)
self.menu.addAction(self.action)
menuBar = self.iface.mainWindow().menuBar()
menuBar.insertMenu(self.iface.firstRightStandardMenu().menuAction(), self.menu)
def unload(self):
self.menu.deleteLater()
Don’t forget to set QAction and QMenu objectName to a name specific to your plugin
so that it can be customized.
Файл ресурсов
You can see that in initGui() we’ve used an icon from the resource file
(called resources.qrc in our case):
<RCC>
<qresource prefix="/plugins/testplug" >
<file>icon.png</file>
</qresource>
</RCC>
It is good to use a prefix that will not collide with other plugins or any
parts of QGIS, otherwise you might get resources you did not want. Now you
just need to generate a Python file that will contain the resources. It’s
done with pyrcc4 command:
pyrcc4 -o resources.py resources.qrc
And that’s all... nothing complicated :)
If you’ve done everything correctly you should be able to find and load
your plugin in the plugin manager and see a message in console when toolbar
icon or appropriate menu item is selected.
При работе над реальным расширением удобно вести разработку в другом (рабочем) каталоге и создать makefile, который будет генерировать файлы интерфейса и ресурсов, а также выполнять копирование расширения в каталог QGIS.
Документация
The documentation for the plugin can be written as HTML help files. The
qgis.utils module provides a function, showPluginHelp() which
will open the help file browser, in the same way as other QGIS help.
Функция showPluginHelp`() ищет файлы справки в том же каталоге, где находится вызвавший её модуль. Она по очереди будет искать файлы index-ll_cc.html, index-ll.html, index-en.html, index-en_us.html и index.html, и отобразит первый найденный. Здесь ll_cc — язык интерфейса QGIS. Это позволяет включать в состав
расширения документацию на разных языках.
Кроме того, функция showPluginHelp() может принимать параметр packageName, идентифицирующий расширение, справку которого нужно отобразить; filename, который используется для переопределения имени файла с документацией;
и section, для передачи имени якоря (закладки) в документе, на который браузер должен перейти.