Exemple #1
0
    def get(self, request):

        selected_process = json.loads(request.GET.get('processview'))

        wps = get_wps_service_engine(selected_process['serv'])
        wps_process = wps.describeprocess(selected_process['id'])

        # TODO: use of jsonpickle only to simplify readability of wps_process.
        #  Shouldn't be necessary to use jsonpickle for that. Please improve!
        # simply serialize wps to json
        whole_wpsprocess_json = jsonpickle.encode(wps_process,
                                                  unpicklable=False)

        # convert to dict to remove unwanted keys and empty values
        whole_wpsprocess = json.loads(whole_wpsprocess_json)
        whole_wpsprocess.pop('_root', None)
        wps_description = {}
        for a in whole_wpsprocess:
            if isinstance(whole_wpsprocess[a], list):
                list_values = []
                for b in whole_wpsprocess[a]:
                    if isinstance(b, dict):
                        innerdict = {}
                        for k, v in b.items():
                            # TODO: ugly hack because keywords are still not implemented in pywps. Use
                            #  allow_values with first value '_keywords' instead
                            if k == 'allowedValues' and v != [] and v[
                                    0] == '_keywords':
                                innerdict['keywords'] = v[1:]
                            elif k == 'abstract' and v is not None:  # and not v == [] and v[0] == '_keywords':
                                try:
                                    for abst in json.loads(v):
                                        if abst == 'keywords':
                                            innerdict[abst] = json.loads(
                                                v)[abst]
                                        else:
                                            innerdict['abstract'] = v
                                except ValueError:
                                    innerdict['abstract'] = v
                            elif v is not None and v != []:
                                if isinstance(v, str) and re.search(
                                        "(?<=/#)\w+", v):
                                    match = re.search("(?<=/#)\w+", v)
                                    innerdict[k] = match.group(0)
                                else:
                                    innerdict[k] = v
                        list_values.append(innerdict)
                    elif not b is None and b != []:
                        list_values.append(b)
                wps_description[a] = list_values
            elif not whole_wpsprocess[a] is None and whole_wpsprocess[a] != []:

                import docutils.core

                wps_description[a] = whole_wpsprocess[a]

        return JsonResponse(wps_description)
Exemple #2
0
def process_run(request):
    # if request.user.is_authenticated:
    if True:
        request_input = json.loads(request.GET.get('processrun'))
        inputs = list(
            zip(request_input.get("key_list", ""),
                request_input.get("value_list", ""),
                request_input.get("type_list", "")))
        inputs = edit_input(inputs)
        wps = get_wps_service_engine(request_input.get("serv", ""))
        wps_process = request_input.get("id", "")
        execution = wps.execute(wps_process, inputs)

        all_outputs = handle_wps_output(execution, wps_process, inputs)
    else:
        all_outputs = {'execution_status': 'auth_error'}
        print('user is not authenticated. ', all_outputs)

    return JsonResponse(all_outputs)
Exemple #3
0
def get_or_create_wpsdb_entry(service: str, wps_process: str, input: tuple):
    """
    Get or create a database entry.
    :param service: name of the wps service
    :param wps_process: identifier of the wps process
    """
    db_result, created = WpsResults.objects.get_or_create(
        open=True,
        wps=wps_process,
        inputs={input[0]: input[1]},
        defaults={
            'creation': timezone.now(),
            'access': timezone.now()
        })
    result = {'wps_id': db_result.id}
    if not created:
        db_result.access = timezone.now()
        db_result.save()
    else:
        wps = get_wps_service_engine(service)
        execution = wps.execute(wps_process, [input])
        execution_status = execution.status
        wpsError = {}
        if 'Exception' in execution_status:
            result = {'Error': 'dbload did not work. Please check log file'}
            db_result.delete()
            logger.error('Got no result from wps for %s: %s',
                         (service, wps_process, input), execution_status)
        elif execution_status == "ProcessSucceeded" and wpsError[
                'error'] == 'False':
            # if execution_status == "ProcessSucceeded" and not execution.processOutputs[1].data[0]:
            db_result.outputs = execution.processOutputs[0].data
            db_result.save()
        else:
            db_result.delete()
            result = {'Error': 'dbload did not work. Please check log file'}
            logger.error('get_or create wps execution_status for %s: %s',
                         (service, wps_process, input), execution_status)
    return result
Exemple #4
0
def home(request):
    """
    Home page for Heron WPS tool. Lists all the WPS services that are linked.
    """
    # TODO: Ugly hack because keywords are yet not supported from owslib. Check upcoming versions of owslib!
    try:
        wps_services = list_wps_service_engines()
        service = WebProcessingService.objects.values_list('name',
                                                           flat=True)[0]
        wps = get_wps_service_engine(service)
        loopCount = 0
        for process in wps.processes:
            describedprocess = wps.describeprocess(process.identifier)
            wps.processes[loopCount].processin = []
            for i in describedprocess.dataInputs:
                if i.allowedValues == [] or not i.allowedValues[
                        0] == '_keywords':
                    if i.abstract and len(
                            i.abstract
                    ) > 10 and "keywords" in i.abstract[2:10]:
                        # TODO: another ugly hack to improve: Problems with allowed values in pywps when min_occurs > 1
                        keywords = ast.literal_eval(
                            i.abstract[:1 +
                                       i.abstract.find("}", 10)])['keywords']
                        wps.processes[loopCount].processin.append(keywords)
                    else:
                        wps.processes[loopCount].processin.append(i.dataType)

                elif i.allowedValues[0] == '_keywords':
                    if i.allowedValues[1] == 'pattern':
                        patternList = i.allowedValues[1:]
                        patternList.insert(0, i.dataType)
                        wps.processes[loopCount].processin.append(patternList)
                    else:
                        wps.processes[loopCount].processin.append(
                            i.allowedValues[1:])

            wps.processes[loopCount].processout = []
            for i in describedprocess.processOutputs:
                if 'error' not in i.identifier:
                    if i.abstract is not None:
                        if 'keywords' in json.loads(i.abstract):
                            wps.processes[loopCount].processout.append(
                                json.loads(i.abstract)['keywords'])
                    elif isinstance(i.dataType, str) or isinstance(
                            i.dataType, float):
                        wps.processes[loopCount].processout.append(i.dataType)

            loopCount += 1
    except:
        logger.error(sys.exc_info()[0])
        service = ''
        wps = []
        wps_services = []

    context = {
        'wps_services': wps_services,
        'wps': wps,
        'service': service,
    }
    return render(request, 'wps_gui/home.html', context)
Exemple #5
0
def db_load(request):
    """
    Function to preload data from database, convert it, and store a pickle of the data
    Example for input for wps dbloader:  [('entry_id', '12'), ('uuid', ''), ('start', '1990-10-31T09:06'),
    ('end', datetime.datetime(2018, 12, 31, 0, 0))]
    :param request: dict
    :return:
    """
    wps_process = 'dbloader'
    request_input = json.loads(request.GET.get('dbload'))
    orgid = request_input.get('dataset')
    result = {}

    # check if user has access to dataset
    accessible_data = get_accessible_data(request, orgid[2:])
    accessible_data = accessible_data['open']
    if len(accessible_data) < 1:
        return JsonResponse({'Error': 'No accessible dataset.'})
    elif len(accessible_data) > 1:
        return JsonResponse(
            {'Error': 'You have to adjust function for list of datasets.'})

    # format inputs for wps server
    inputs = list(
        zip(request_input.get("key_list", ""),
            request_input.get("value_list", "")))
    inputs = edit_input(inputs)

    try:
        preloaded_data = WpsResults.objects.get(wps=wps_process, inputs=inputs)
        output = json.loads(preloaded_data.outputs)
        result = {
            'orgid': orgid,
            'id': 'wps' + str(preloaded_data.id),
            'type': output['type'],
            'inputs': inputs
        }
    except ObjectDoesNotExist:
        # collect variables for wps and run wps
        service = WebProcessingService.objects.values_list('name',
                                                           flat=True)[0]
        wps = get_wps_service_engine(service)
        execution = wps.execute(wps_process, inputs)

        # create output for client
        if execution.status == 'ProcessSucceeded':
            for output in execution.processOutputs:
                if output.identifier == 'data':
                    path = output.data[0]
                elif output.identifier == 'datatype':
                    dtype = output.data[0]
            output = json.dumps({'path': path, 'type': dtype})
            # write result to database
            try:
                dbkey = WpsResults.objects.create(open=True,
                                                  wps=wps_process,
                                                  inputs=inputs,
                                                  outputs=output,
                                                  creation=timezone.now())
            except Exception as e:
                print('Exception while creating DB entry: ', e)

            result = {
                'orgid': orgid,
                'id': 'wps' + str(dbkey.id),
                'type': dtype,
                'inputs': inputs,
                'outputs': output
            }

    # except Exception as e:
    #     print('Exception in db_load: ', e)
    #     raise Http404

    return JsonResponse(result)