독립형 Python 스크립트에서 QGIS 처리를 가져 오시겠습니까?


10

Qgis 처리 도구 상자를 사용하는 몇 가지 독립 실행 형 스크립트를 작성하고 싶습니다.

몇 가지 스레드 ( herehere)를 읽었 지만 아직 작동중인 솔루션을 찾을 수 없습니다.

Ubuntu Xenial 16.04 LTS에서 Qgis 2.16.1 사용

내 스크립트의 가져 오기 섹션은 다음과 같습니다.

# Python modules
import sys
import time
import os

# Qgis modules
from qgis.core import *
import qgis.utils
from PyQt4.QtCore import QFileInfo, QSettings

아무도 내가 처리 모듈을 가져올 수없는 것이 무엇인지 알고 있습니까?

간단한 가져 오기 처리 로 다음을 얻습니다.

Original exception was:
Traceback (most recent call last):
 File "/home/steph/Documents/Projets/20141227-CIM_Bishkek/Scripts/python/00-projets/20160811-AnalysesUAVs/20160811-UAVAnalyse.py", line 36, in <module>
import processing
 File "/usr/lib/python2.7/dist-packages/qgis/utils.py", line 607, in _import
mod = _builtin_import(name, globals, locals, fromlist, level)
ImportError: No module named processing

편집 (요셉의 의견 후)

나는 이렇게 시도했다 :

# Python modules
import sys
import time
import os

# Qgis modules
from qgis.core import *
import qgis.utils
from PyQt4.QtGui import *
app = QApplication([])
QgsApplication.setPrefixPath("/usr", True)
QgsApplication.initQgis()
from PyQt4.QtCore import QFileInfo, QSettings
#from PyQt4.QtGui import *

# Prepare processing framework 
sys.path.append('/home/steph/.qgis2/python/plugins')
from processing.core.Processing import Processing
Processing.initialize()
from processing.tools import *

그러나 동작은 이상합니다. 내 스크립트는 오류없이 끝날 때까지 실행되지만 수행해야하는 작업을 "점프"하는 것처럼 보입니다. 즉, 끝까지 실행되지만 아무 것도하지 않고 실행됩니다.

나는 나의 설명이 명확하지 않다는 것을 인정한다. 나는 더 조사 할 것이지만 누군가가이 모듈을 가져올 마법의 해결책 (해결책이 아님)을 가지고 있다면, 제발!

편집 2 : 전체 스크립트 추가. 조금 길면 죄송합니다 ....

# -*- coding: cp1252 -*-
########################################################
## Name: Performs various analyses on UAV imagery using Qgis
## Source Name: UAVanalyse.py
## Version: Python 2.7
## Author: Stephane Henriod
## Usage: Performs a set of analyses on UAV imagery
## Date 11.08.2016
## Modified: 
########################################################


# Import required modules

# Python modules
import sys
import time
import os

# Qgis modules
from qgis.core import *
import qgis.utils
from PyQt4.QtCore import QFileInfo, QSettings

# Custom modules
from config_work import *
import display_msg as disp
import clean_time as cl

def make_raster_layer(raster, log_file):
    """Creates a raster layer from the path to a raster, if the path exists and if the raster is valid

    Param_in:
        raster (string) -- The path to the raster to be transformed into a layer
        log_file (string) -- The path to the log file to write in

    Param_out:
        list: 
            [0] = full path to the raster 
            [1] = raster layer

    """

    if os.path.exists(raster):
        fileName = raster
        fileInfo = QFileInfo(fileName)
        baseName = fileInfo.baseName()
        rlayer = QgsRasterLayer(fileName, baseName)
        if rlayer.isValid():
            return [raster, rlayer]
    else:
        return False

def study_raster(rlayer, log_file):
    """Returns properties of a raster, if this one exists and is valid

    Param_in:
        rlayer (bin) -- A raster layer
        log_file (string) -- The path to the log file to write in

    """

    infos = {}

    if rlayer:
        infos['a - Width'] = rlayer.width()
        infos['b - Height'] = rlayer.height()
        infos['c - Extent'] = rlayer.extent().toString()
        infos['d - # bands'] = rlayer.bandCount()
        infos['e - X resolution'] = rlayer.rasterUnitsPerPixelX()
        infos['f - Y resolution'] = rlayer.rasterUnitsPerPixelY()
        return infos
    else:
        return False


def project_raster(raster, to_crs, log_file):
    """Projects a raster into another crs

    Param_in:
        raster (string) -- The path to the raster to be transformed into a layer
        to_crs (string) -- The coordinate reference system to which the layer must be projected
        log_file (string) -- The path to the log file to write in

    """

    img_out_name = os.path.splitext(os.path.basename(raster))[0] + '_proj' + os.path.splitext(os.path.basename(raster))[1]
    img_out = os.path.join(output_folder, img_out_name)
    #processing.runalg("gdalwarp -overwrite -s_srs EPSG:32642 -t_srs " + to_crs + " " + rlayer[0] + " " + img_out)

    msg = img_out    
    disp.display_msg(log_file, msg, 'a')

    return img_out_name

if __name__ == "__main__":
    t_start_script = time.localtime()
    t_start_script_clean = time.strftime("%Y%m%d-%H%M", t_start_script)

    # Checking the folders
    if not os.path.exists(input_folder_path):
        os.makedirs(input_folder_path)
    if not os.path.exists(temp_folder_path):
        os.makedirs(temp_folder_path)
    if not os.path.exists(output_folder_path):
        os.makedirs(output_folder_path)

    # Creating the output and temp folders
    output_folder = os.path.join(output_folder_path, t_start_script_clean + '-UAVanalyse')
    temp_folder = os.path.join(temp_folder_path, t_start_script_clean + '-UAVanalyse')

    if not os.path.exists(output_folder):
        os.makedirs(output_folder)
    if not os.path.exists(temp_folder):
        os.makedirs(temp_folder)

    # Creating the log file
    log_file_name = t_start_script_clean + '-UAVanalyse.log'
    log_file = os.path.join(output_folder, log_file_name)

    # Heading of the log file
    msg = "Performs a set of analyses on UAV imagery" + os.linesep
    msg += "Input folder: " + input_folder_path
    msg += "\n RGB image: " + img_rgb_name
    msg += "\n NIR image: " + img_nir_name
    msg += "\n RGBIR image: " + img_rgbir_name
    msg += "\n DSM file: " + img_dsm_name
    disp.display_msg(log_file, msg, 'w')

    #msg = "Script started on " + cl.clean_time(t_start_script)
    #disp.display_msg(log_file, msg, 'a')


    # Initialize Qgis (source: http://docs.qgis.org/testing/en/docs/pyqgis_developer_cookbook/intro.html)
    msg = 'Initialize Qgis'
    disp.display_msg(log_file, msg, 'a')
    # supply path to qgis install location
    QgsApplication.setPrefixPath("/usr", True)

    # create a reference to the QgsApplication, setting the
    # second argument to False disables the GUI
    qgs = QgsApplication([], False)

    # load providers
    qgs.initQgis()


    # Write your code here to load some layers, use processing algorithms, etc.

    # Make raster layers
    rlayer_rgb = make_raster_layer(img_rgb, log_file)
    rlayer_nir = make_raster_layer(img_nir, log_file)
    rlayer_rgbir = make_raster_layer(img_rgbir, log_file)
    rlayer_dsm = make_raster_layer(img_dsm, log_file)

    all_valid_layers = []
    if rlayer_rgb: all_valid_layers.append(rlayer_rgb)
    if rlayer_nir: all_valid_layers.append(rlayer_nir)
    if rlayer_rgbir: all_valid_layers.append(rlayer_rgbir)
    if rlayer_dsm: all_valid_layers.append(rlayer_dsm)




    # (I) Infos about the layers
    msg = os.linesep + frm_separator + os.linesep + '(I) Infos about the layers' + os.linesep + frm_separator + os.linesep
    disp.display_msg(log_file, msg, 'a')

    i = 1
    for layer in all_valid_layers:
        infos = study_raster(layer[1], log_file)
        msg = '\n (' + str(i) + ') ' + layer[0] + os.linesep
        for item in sorted(infos):
            msg += '\n ' + str(item) + ': ' + str(infos[item]) + os.linesep

        i+=1
        disp.display_msg(log_file, msg, 'a')

    msg = 'List of valid layers:' + os.linesep
    for layer in all_valid_layers:
        msg += layer[0]+ os.linesep
    disp.display_msg(log_file, msg, 'a')


    # (II) Projects the layers into the national coordinate system or any desired system
    msg = os.linesep + frm_separator + os.linesep + '(II) Projecting of the layers' + os.linesep + frm_separator + os.linesep
    disp.display_msg(log_file, msg, 'a')

    i = 1
    for layer in all_valid_layers:
        project_raster(layer[0], to_crs, log_file)




    # When script is complete, call exitQgis() to remove the provider and
    # layer registries from memory
    qgs.exitQgis()
    msg = 'Qgis has been closed'
    disp.display_msg(log_file, msg, 'a')

    #raw_input("Press Enter to continue...")

두 번째 링크에서 @ GermánCarrillo가 제공 한 코드를 사용 했습니까? 그의 코드는 독립 스크립트를 실행하는 데 사용하는 것입니다 (Windows를 사용할 때 경로를 약간 편집합니다).
Joseph

수행하려는 작업은 무엇입니까? :). 질문에 코드를 포함시켜 주시겠습니까? 이것은 다른 사람들이 무엇이 잘못되었는지 식별하는 데 도움이 될 수 있습니다.
Joseph

UAV 이미지를 처리하기 위해 몇 가지 기능을 스크립트하려고합니다. 내가해야 할 첫 번째 일은 재 투영하는 것이므로 처리 모듈이 필요합니다. 조금 부끄럽지만 전체 스크립트를 추가하겠습니다. "실제"개발자는 아니며 내 코드가 가장 깨끗하거나 가장 직관적이지 않다고 확신합니다. :-)
Stéphane Henriod

부끄러워하지 마십시오! 내가 게시 한 내용 중 가장 깨끗하거나 간단한 것은 없습니다 =)
Joseph

그래서 나는 전체 스크립트를 추가했습니다. :-)
Stéphane Henriod

답변:


6

리눅스 QGIS 2.18.1

이 코드를 사용하면 독립 실행 형 스크립트에서 처리를 실행하십시오.

#!/usr/bin/env python
import qgis
from qgis.core import *
import sys

app = QgsApplication([],True, None)
app.setPrefixPath("/usr", True)
app.initQgis()
sys.path.append('/usr/share/qgis/python/plugins')
from processing.core.Processing import Processing
Processing.initialize()
from processing.tools import *

print Processing.getAlgorithm("qgis:creategrid")

이것은 내가 일하고있는 환경 (Pycharm C.Ed에서 Python 2.7이 설치된 Ubuntu 14.04 시스템)에서 작동 한 유일한 조합입니다. 이전에는 gis.stackexchange.com/questions/129513/…gis.stackexchange.com/questions/176821/… 의 조합을 시도했지만 슬프게도 "processing.core.Processing"을 가져 오지 않았습니다. 왜 모듈을 가져 오는 것이 혼란 스럽습니다. 레코드 : QGIS 패키지를 가리는 "프로세싱"이라고하는 순수한 파이썬 패키지가 있습니다.
아이린

3

그래서 나는 그것을 작동 시켰습니다. 당신의 힌트에 대해 @Joseph에게 감사드립니다.

# Import required modules

# Python modules
import sys
import time
import datetime
import os
from getpass import getuser

# Qgis modules and environment
from qgis.core import *
import qgis.utils
from PyQt4.QtCore import QFileInfo, QSettings

from PyQt4.QtGui import QApplication
app = QApplication([])

QgsApplication.setPrefixPath("/usr", True)
QgsApplication.initQgis()

# Prepare processing framework
sys.path.append('/home/' + getuser() + '/.qgis2/python/plugins')
from processing.core.Processing import Processing

Processing.initialize()

그리고 나는 그것을 테스트합니다

print Processing.getAlgorithm("qgis:creategrid")

내 문제는 스크립트 시작 부분에서 모듈을 가져 와서 함수 내에서 Qgi 객체를 만들려고했기 때문에 발생합니다. 나는 그렇게 할 수도 있다고 생각하지만 내 파이썬 기술에 결함이있을 수 있습니다.

이제 처리 모듈을 실제로 시도하려고합니다 :-)


뭔가 바뀌 었습니까? 나는 독립 스크립트로 처리 사용 (요셉)이 코드를 시도하고 내가 얻을 : ImportError를 : 리눅스를 사용 processing.core.Processing라는 이름의 모듈이 2.18.1 QGIS
Juanma 글꼴
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.