Skip to content

📘 API Reference Maps

Georama Maps

admin

PublishedAsWmsAdmin

Bases: ModelAdmin

Source code in src/georama/maps/admin.py
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
@admin.register(PublishedAsWms)
class PublishedAsWmsAdmin(admin.ModelAdmin):
    list_display = ["name", "title", "public", "queryable", "delete_link", "show_published"]
    list_editable = ["public"]
    add_form_template = "admin/maps/publishedaswms/publish.html"
    readonly_fields = ["dataset_detail"]
    list_filter = ["name", "title"]
    form = PublishedAsWmsForm

    def add_view(self, request, form_url="", extra_context=None):
        extra_context = extra_context or {}
        extra_context["raster_datasets"] = RasterDataSet.objects.all()
        extra_context["vector_datasets"] = VectorDataSet.objects.all()
        extra_context["custom_datasets"] = CustomDataSet.objects.all()
        extra_context["publish_dataset_as_wms_view_name"] = "maps_publish_dataset_as_wms"
        return super().add_view(
            request,
            form_url,
            extra_context=extra_context,
        )

    def changelist_view(self, request, extra_context=None):
        extra_context = extra_context or {}
        extra_context["wms_get_capabilities_url"] = wms_get_capabilities_url()
        extra_context["wfs_get_capabilities_url"] = wfs_get_capabilities_url()
        return super().changelist_view(
            request,
            extra_context=extra_context,
        )

    def delete_link(self, obj: PublishedAsWms):
        return mark_safe(
            '<a href="{}" class="btn btn-high btn-danger"><i class="fas fa-trash text-xs"/></a>'.format(
                reverse("admin:maps_publishedaswms_delete", args=(obj.pk,))
            )
        )

    @staticmethod
    def create_url_params(layer: PublishedAsWms) -> str:
        dataset = layer.bound_dataset
        bbox = BBox.from_string(dataset.bbox)
        params = QslGetMapRequest(
            ServiceType.wms.value,
            RequestType.get_map.value,
            Version.v_1_3_0.value,
            [layer.name],
            [bbox.x_min, bbox.y_min, bbox.x_max, bbox.y_max],
            dataset.crs_to_qsl.auth_id,
            1500,
            1500,
            "image/png",
            True,
            "",
            72,
            72,
            "dpi%3A72",
        )
        parameter_list = []
        for field in fields(QslGetMapRequest):
            field_value = getattr(params, field.name)
            if isinstance(field_value, list):
                field_value = ",".join([str(value) for value in field_value])
            if field_value is not None:
                parameter_list.append(f"{field.name}={field_value}")
        return "&".join(parameter_list)

    def show_published(self, obj: PublishedAsWms):
        return mark_safe(
            "".join(
                [
                    '<a href="{}?{}" target="_blank" class="btn btn-high btn-success" title="WMS GetMap"><i class="fas fa-eye text-xs"/></a>'.format(
                        reverse("maps_ogc_entry"), self.create_url_params(obj)
                    ),
                ]
            )
        )

    show_published.short_description = "Operations"

    def dataset_detail(self, obj: PublishedAsWms):
        if isinstance(obj.raster_dataset, RasterDataSet):
            dataset = obj.raster_dataset
            type_name = "Raster"
        elif isinstance(obj.vector_dataset, VectorDataSet):
            dataset = obj.vector_dataset
            type_name = "Vector"
        elif isinstance(obj.custom_dataset, CustomDataSet):
            dataset = obj.custom_dataset
            type_name = "Custom"
        else:
            raise NotImplementedError(
                "linked dataset has to be RasterDataSet|VectorDataSet|CustomDataSet!"
            )
        return mark_safe(
            f'<a href="{reverse(f"admin:data_integration_{type_name.lower()}dataset_change", args=(dataset.pk,))}" class="btn btn-high btn-success">{dataset.title} ({dataset.name})</a><span class="badge badge-secondary">{type_name}</span>'
        )

    dataset_detail.short_description = "Dataset"

    def get_fieldsets(self, request, obj=None):
        fields = [
            "title",
            "name",
            "public",
            "description",
            "license",
            "fees",
            "access_constraints",
            "dataset_detail",
        ]
        if obj:
            if isinstance(obj.vector_dataset, VectorDataSet):
                fields.append("extent_buffer")
        return (
            (
                None,
                {"fields": fields},
            ),
            ("Group permissions", {"fields": ("group_read_permission",)}),
            ("User permissions", {"fields": ("user_read_permission",)}),
        )

    def save_model(self, request, obj, form, change):
        # read permission -> should get only one for PublishedAsWms
        read_permission = Permission.objects.get(codename=obj.permissions[0].codename)

        # save group permissions
        groups_read = form.cleaned_data.get("group_read_permission", [])
        save_group_permissions(groups_read, read_permission)

        # save user permissions
        users_read = form.cleaned_data.get("user_read_permission", [])
        save_user_permissions(users_read, read_permission)

        super().save_model(request, obj, form, change)

add_form_template = 'admin/maps/publishedaswms/publish.html' class-attribute instance-attribute

form = PublishedAsWmsForm class-attribute instance-attribute

list_display = ['name', 'title', 'public', 'queryable', 'delete_link', 'show_published'] class-attribute instance-attribute

list_editable = ['public'] class-attribute instance-attribute

list_filter = ['name', 'title'] class-attribute instance-attribute

readonly_fields = ['dataset_detail'] class-attribute instance-attribute

add_view(request, form_url='', extra_context=None)

Source code in src/georama/maps/admin.py
43
44
45
46
47
48
49
50
51
52
53
def add_view(self, request, form_url="", extra_context=None):
    extra_context = extra_context or {}
    extra_context["raster_datasets"] = RasterDataSet.objects.all()
    extra_context["vector_datasets"] = VectorDataSet.objects.all()
    extra_context["custom_datasets"] = CustomDataSet.objects.all()
    extra_context["publish_dataset_as_wms_view_name"] = "maps_publish_dataset_as_wms"
    return super().add_view(
        request,
        form_url,
        extra_context=extra_context,
    )

changelist_view(request, extra_context=None)

Source code in src/georama/maps/admin.py
55
56
57
58
59
60
61
62
def changelist_view(self, request, extra_context=None):
    extra_context = extra_context or {}
    extra_context["wms_get_capabilities_url"] = wms_get_capabilities_url()
    extra_context["wfs_get_capabilities_url"] = wfs_get_capabilities_url()
    return super().changelist_view(
        request,
        extra_context=extra_context,
    )

create_url_params(layer) staticmethod

Source code in src/georama/maps/admin.py
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
@staticmethod
def create_url_params(layer: PublishedAsWms) -> str:
    dataset = layer.bound_dataset
    bbox = BBox.from_string(dataset.bbox)
    params = QslGetMapRequest(
        ServiceType.wms.value,
        RequestType.get_map.value,
        Version.v_1_3_0.value,
        [layer.name],
        [bbox.x_min, bbox.y_min, bbox.x_max, bbox.y_max],
        dataset.crs_to_qsl.auth_id,
        1500,
        1500,
        "image/png",
        True,
        "",
        72,
        72,
        "dpi%3A72",
    )
    parameter_list = []
    for field in fields(QslGetMapRequest):
        field_value = getattr(params, field.name)
        if isinstance(field_value, list):
            field_value = ",".join([str(value) for value in field_value])
        if field_value is not None:
            parameter_list.append(f"{field.name}={field_value}")
    return "&".join(parameter_list)

dataset_detail(obj)

Source code in src/georama/maps/admin.py
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
def dataset_detail(self, obj: PublishedAsWms):
    if isinstance(obj.raster_dataset, RasterDataSet):
        dataset = obj.raster_dataset
        type_name = "Raster"
    elif isinstance(obj.vector_dataset, VectorDataSet):
        dataset = obj.vector_dataset
        type_name = "Vector"
    elif isinstance(obj.custom_dataset, CustomDataSet):
        dataset = obj.custom_dataset
        type_name = "Custom"
    else:
        raise NotImplementedError(
            "linked dataset has to be RasterDataSet|VectorDataSet|CustomDataSet!"
        )
    return mark_safe(
        f'<a href="{reverse(f"admin:data_integration_{type_name.lower()}dataset_change", args=(dataset.pk,))}" class="btn btn-high btn-success">{dataset.title} ({dataset.name})</a><span class="badge badge-secondary">{type_name}</span>'
    )
Source code in src/georama/maps/admin.py
64
65
66
67
68
69
def delete_link(self, obj: PublishedAsWms):
    return mark_safe(
        '<a href="{}" class="btn btn-high btn-danger"><i class="fas fa-trash text-xs"/></a>'.format(
            reverse("admin:maps_publishedaswms_delete", args=(obj.pk,))
        )
    )

get_fieldsets(request, obj=None)

Source code in src/georama/maps/admin.py
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
def get_fieldsets(self, request, obj=None):
    fields = [
        "title",
        "name",
        "public",
        "description",
        "license",
        "fees",
        "access_constraints",
        "dataset_detail",
    ]
    if obj:
        if isinstance(obj.vector_dataset, VectorDataSet):
            fields.append("extent_buffer")
    return (
        (
            None,
            {"fields": fields},
        ),
        ("Group permissions", {"fields": ("group_read_permission",)}),
        ("User permissions", {"fields": ("user_read_permission",)}),
    )

save_model(request, obj, form, change)

Source code in src/georama/maps/admin.py
156
157
158
159
160
161
162
163
164
165
166
167
168
def save_model(self, request, obj, form, change):
    # read permission -> should get only one for PublishedAsWms
    read_permission = Permission.objects.get(codename=obj.permissions[0].codename)

    # save group permissions
    groups_read = form.cleaned_data.get("group_read_permission", [])
    save_group_permissions(groups_read, read_permission)

    # save user permissions
    users_read = form.cleaned_data.get("user_read_permission", [])
    save_user_permissions(users_read, read_permission)

    super().save_model(request, obj, form, change)

show_published(obj)

Source code in src/georama/maps/admin.py
100
101
102
103
104
105
106
107
108
109
def show_published(self, obj: PublishedAsWms):
    return mark_safe(
        "".join(
            [
                '<a href="{}?{}" target="_blank" class="btn btn-high btn-success" title="WMS GetMap"><i class="fas fa-eye text-xs"/></a>'.format(
                    reverse("maps_ogc_entry"), self.create_url_params(obj)
                ),
            ]
        )
    )
Source code in src/georama/maps/admin.py
171
172
173
174
175
176
177
178
179
180
def custom_links():
    return {
        "maps": [
            {
                "name": _("WMS Capabilities"),
                "url": wms_get_capabilities_url(),
                "icon": "fa fa-eye",
            }
        ]
    }

wfs_get_capabilities_url()

Source code in src/georama/maps/admin.py
28
29
30
31
def wfs_get_capabilities_url() -> str:
    return "{}?SERVICE=WFS&REQUEST=GETCAPABILITIES&VERSION=2.0.0".format(
        reverse("maps_ogc_entry")
    )

wms_get_capabilities_url()

Source code in src/georama/maps/admin.py
22
23
24
25
def wms_get_capabilities_url() -> str:
    return "{}?SERVICE=WMS&REQUEST=GETCAPABILITIES&VERSION=1.3.0".format(
        reverse("maps_ogc_entry")
    )

apps

appname = 'maps' module-attribute

RasteroctopusConfig

Bases: AppConfig

Source code in src/georama/maps/apps.py
6
7
8
class RasteroctopusConfig(AppConfig):
    default_auto_field = "django.db.models.BigAutoField"
    name = f"georama.{appname}"

default_auto_field = 'django.db.models.BigAutoField' class-attribute instance-attribute

name = f'georama.{appname}' class-attribute instance-attribute

forms

PublishedAsWmsForm

Bases: ModelForm

Source code in src/georama/maps/forms.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
class PublishedAsWmsForm(forms.ModelForm):
    class Meta:
        model = PublishedAsWms
        fields = '__all__'

    group_read_permission = forms.ModelMultipleChoiceField(
        required=False,
        queryset=None,
        widget=widgets.FilteredSelectMultiple(verbose_name="Group read permission", is_stacked=False)
    )

    user_read_permission = forms.ModelMultipleChoiceField(
        required=False,
        queryset=None,
        widget=widgets.FilteredSelectMultiple(verbose_name="User read permission", is_stacked=False)
    )

    @staticmethod
    def get_first_match_partial_key(dictionary, partial_key):
        matches = [k for k, v in dictionary.items() if partial_key in k]
        return matches[0] if matches else None

    def __init__(self, *args, **kwargs):
        super().__init__(*args, **kwargs)

        # get the read permission, should get only one permission for PublishedAsWms
        permissions = self.instance.permissions
        permission_read = [p.codename for p in permissions][0]

        # filling the field with the correct queryset and initialize it with the data from the db

        self.fields['group_read_permission'].queryset = Group.objects.all()
        self.fields['group_read_permission'].initial = Group.objects.filter(permissions__codename=permission_read)

        self.fields['user_read_permission'].queryset = User.objects.all().exclude(is_superuser=True)
        self.fields['user_read_permission'].initial = User.objects.filter(
            user_permissions__codename=permission_read).exclude(is_superuser=True)

group_read_permission = forms.ModelMultipleChoiceField(required=False, queryset=None, widget=widgets.FilteredSelectMultiple(verbose_name='Group read permission', is_stacked=False)) class-attribute instance-attribute

user_read_permission = forms.ModelMultipleChoiceField(required=False, queryset=None, widget=widgets.FilteredSelectMultiple(verbose_name='User read permission', is_stacked=False)) class-attribute instance-attribute

Meta

Source code in src/georama/maps/forms.py
 8
 9
10
class Meta:
    model = PublishedAsWms
    fields = '__all__'
fields = '__all__' class-attribute instance-attribute
model = PublishedAsWms class-attribute instance-attribute

__init__(*args, **kwargs)

Source code in src/georama/maps/forms.py
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
def __init__(self, *args, **kwargs):
    super().__init__(*args, **kwargs)

    # get the read permission, should get only one permission for PublishedAsWms
    permissions = self.instance.permissions
    permission_read = [p.codename for p in permissions][0]

    # filling the field with the correct queryset and initialize it with the data from the db

    self.fields['group_read_permission'].queryset = Group.objects.all()
    self.fields['group_read_permission'].initial = Group.objects.filter(permissions__codename=permission_read)

    self.fields['user_read_permission'].queryset = User.objects.all().exclude(is_superuser=True)
    self.fields['user_read_permission'].initial = User.objects.filter(
        user_permissions__codename=permission_read).exclude(is_superuser=True)

get_first_match_partial_key(dictionary, partial_key) staticmethod

Source code in src/georama/maps/forms.py
24
25
26
27
@staticmethod
def get_first_match_partial_key(dictionary, partial_key):
    matches = [k for k, v in dictionary.items() if partial_key in k]
    return matches[0] if matches else None

interfaces

ogc

wfs_2_0_0

net
opengis
fes
pkg_2
abstract_adhoc_query_expression
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
AbstractAdhocQueryExpression dataclass

Bases: AbstractAdhocQueryExpressionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/abstract_adhoc_query_expression.py
10
11
12
13
@dataclass
class AbstractAdhocQueryExpression(AbstractAdhocQueryExpressionType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/abstract_adhoc_query_expression.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(handle=None, property_name=list(), filter=None, sort_by=None, type_names=list(), aliases=list())
abstract_adhoc_query_expression_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
AbstractAdhocQueryExpressionType dataclass

Bases: AbstractQueryExpressionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/abstract_adhoc_query_expression_type.py
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
@dataclass
class AbstractAdhocQueryExpressionType(AbstractQueryExpressionType):
    property_name: list[PropertyName] = field(
        default_factory=list,
        metadata={
            "name": "PropertyName",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    filter: Optional[Filter] = field(
        default=None,
        metadata={
            "name": "Filter",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    sort_by: Optional[SortBy] = field(
        default=None,
        metadata={
            "name": "SortBy",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    type_names: list[str] = field(
        default_factory=list,
        metadata={
            "name": "typeNames",
            "type": "Attribute",
            "pattern": r"schema\-element\(.+\)",
            "tokens": True,
        },
    )
    aliases: list[str] = field(
        default_factory=list,
        metadata={
            "type": "Attribute",
            "tokens": True,
        },
    )
aliases = field(default_factory=list, metadata={'type': 'Attribute', 'tokens': True}) class-attribute instance-attribute
filter = field(default=None, metadata={'name': 'Filter', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_name = field(default_factory=list, metadata={'name': 'PropertyName', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
sort_by = field(default=None, metadata={'name': 'SortBy', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
type_names = field(default_factory=list, metadata={'name': 'typeNames', 'type': 'Attribute', 'pattern': 'schema\\-element\\(.+\\)', 'tokens': True}) class-attribute instance-attribute
__init__(handle=None, property_name=list(), filter=None, sort_by=None, type_names=list(), aliases=list())
abstract_id_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
AbstractIdType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/abstract_id_type.py
6
7
8
@dataclass
class AbstractIdType:
    pass
__init__()
abstract_projection_clause
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
AbstractProjectionClause dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/abstract_projection_clause.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
@dataclass
class AbstractProjectionClause:
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"

    any_element: Optional[object] = field(
        default=None,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
        },
    )
any_element = field(default=None, metadata={'type': 'Wildcard', 'namespace': '##any'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/abstract_projection_clause.py
 9
10
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(any_element=None)
abstract_projection_clause_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
AbstractProjectionClauseType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/abstract_projection_clause_type.py
6
7
8
@dataclass
class AbstractProjectionClauseType:
    pass
__init__()
abstract_query_expression
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
AbstractQueryExpression dataclass

Bases: AbstractQueryExpressionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/abstract_query_expression.py
10
11
12
13
@dataclass
class AbstractQueryExpression(AbstractQueryExpressionType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/abstract_query_expression.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(handle=None)
abstract_query_expression_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
AbstractQueryExpressionType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/abstract_query_expression_type.py
 7
 8
 9
10
11
12
13
14
@dataclass
class AbstractQueryExpressionType:
    handle: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
handle = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
__init__(handle=None)
abstract_selection_clause
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
AbstractSelectionClause dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/abstract_selection_clause.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
@dataclass
class AbstractSelectionClause:
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"

    any_element: Optional[object] = field(
        default=None,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
        },
    )
any_element = field(default=None, metadata={'type': 'Wildcard', 'namespace': '##any'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/abstract_selection_clause.py
 9
10
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(any_element=None)
abstract_selection_clause_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
AbstractSelectionClauseType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/abstract_selection_clause_type.py
6
7
8
@dataclass
class AbstractSelectionClauseType:
    pass
__init__()
abstract_sorting_clause
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
AbstractSortingClause dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/abstract_sorting_clause.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
@dataclass
class AbstractSortingClause:
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"

    any_element: Optional[object] = field(
        default=None,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
        },
    )
any_element = field(default=None, metadata={'type': 'Wildcard', 'namespace': '##any'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/abstract_sorting_clause.py
 9
10
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(any_element=None)
abstract_sorting_clause_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
AbstractSortingClauseType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/abstract_sorting_clause_type.py
6
7
8
@dataclass
class AbstractSortingClauseType:
    pass
__init__()
additional_operators_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
AdditionalOperatorsType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/additional_operators_type.py
10
11
12
13
14
15
16
17
18
19
@dataclass
class AdditionalOperatorsType:
    operator: list[ExtensionOperatorType] = field(
        default_factory=list,
        metadata={
            "name": "Operator",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
operator = field(default_factory=list, metadata={'name': 'Operator', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
__init__(operator=list())
after
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
After dataclass

Bases: BinaryTemporalOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/after.py
10
11
12
13
@dataclass
class After(BinaryTemporalOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/after.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
any_interacts
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
AnyInteracts dataclass

Bases: BinaryTemporalOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/any_interacts.py
10
11
12
13
@dataclass
class AnyInteracts(BinaryTemporalOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/any_interacts.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
argument_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
ArgumentType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/argument_type.py
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
@dataclass
class ArgumentType:
    metadata: Optional[Metadata] = field(
        default=None,
        metadata={
            "name": "Metadata",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    type_value: Optional[QName] = field(
        default=None,
        metadata={
            "name": "Type",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "required": True,
        },
    )
    name: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
metadata = field(default=None, metadata={'name': 'Metadata', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
name = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
type_value = field(default=None, metadata={'name': 'Type', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'required': True}) class-attribute instance-attribute
__init__(metadata=None, type_value=None, name=None)
arguments_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
ArgumentsType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/arguments_type.py
10
11
12
13
14
15
16
17
18
19
20
@dataclass
class ArgumentsType:
    argument: list[ArgumentType] = field(
        default_factory=list,
        metadata={
            "name": "Argument",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "min_occurs": 1,
        },
    )
argument = field(default_factory=list, metadata={'name': 'Argument', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'min_occurs': 1}) class-attribute instance-attribute
__init__(argument=list())
available_function_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
AvailableFunctionType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/available_function_type.py
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
@dataclass
class AvailableFunctionType:
    metadata: Optional[Metadata] = field(
        default=None,
        metadata={
            "name": "Metadata",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    returns: Optional[QName] = field(
        default=None,
        metadata={
            "name": "Returns",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "required": True,
        },
    )
    arguments: Optional[ArgumentsType] = field(
        default=None,
        metadata={
            "name": "Arguments",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    name: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
arguments = field(default=None, metadata={'name': 'Arguments', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
metadata = field(default=None, metadata={'name': 'Metadata', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
name = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
returns = field(default=None, metadata={'name': 'Returns', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'required': True}) class-attribute instance-attribute
__init__(metadata=None, returns=None, arguments=None, name=None)
available_functions_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
AvailableFunctionsType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/available_functions_type.py
10
11
12
13
14
15
16
17
18
19
20
@dataclass
class AvailableFunctionsType:
    function: list[AvailableFunctionType] = field(
        default_factory=list,
        metadata={
            "name": "Function",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "min_occurs": 1,
        },
    )
function = field(default_factory=list, metadata={'name': 'Function', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'min_occurs': 1}) class-attribute instance-attribute
__init__(function=list())
bbox
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Bbox dataclass

Bases: Bboxtype

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/bbox.py
10
11
12
13
14
@dataclass
class Bbox(Bboxtype):
    class Meta:
        name = "BBOX"
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/bbox.py
12
13
14
class Meta:
    name = "BBOX"
    namespace = "http://www.opengis.net/fes/2.0"
name = 'BBOX' class-attribute instance-attribute
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
bboxtype
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Bboxtype dataclass

Bases: SpatialOpsType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/bboxtype.py
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
@dataclass
class Bboxtype(SpatialOpsType):
    class Meta:
        name = "BBOXType"

    literal: list[Literal] = field(
        default_factory=list,
        metadata={
            "name": "Literal",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "max_occurs": 2,
        },
    )
    function: list[Function] = field(
        default_factory=list,
        metadata={
            "name": "Function",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "max_occurs": 2,
        },
    )
    value_reference: list[ValueReference] = field(
        default_factory=list,
        metadata={
            "name": "ValueReference",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "max_occurs": 2,
        },
    )
    other_element: list[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##other",
            "max_occurs": 2,
        },
    )
function = field(default_factory=list, metadata={'name': 'Function', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'max_occurs': 2}) class-attribute instance-attribute
literal = field(default_factory=list, metadata={'name': 'Literal', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'max_occurs': 2}) class-attribute instance-attribute
other_element = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##other', 'max_occurs': 2}) class-attribute instance-attribute
value_reference = field(default_factory=list, metadata={'name': 'ValueReference', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'max_occurs': 2}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/bboxtype.py
19
20
class Meta:
    name = "BBOXType"
name = 'BBOXType' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
before
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Before dataclass

Bases: BinaryTemporalOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/before.py
10
11
12
13
@dataclass
class Before(BinaryTemporalOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/before.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
begins
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Begins dataclass

Bases: BinaryTemporalOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/begins.py
10
11
12
13
@dataclass
class Begins(BinaryTemporalOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/begins.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
begun_by
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
BegunBy dataclass

Bases: BinaryTemporalOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/begun_by.py
10
11
12
13
@dataclass
class BegunBy(BinaryTemporalOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/begun_by.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
beyond
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Beyond dataclass

Bases: DistanceBufferType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/beyond.py
10
11
12
13
@dataclass
class Beyond(DistanceBufferType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/beyond.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list(), distance=None)
binary_comparison_op_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
BinaryComparisonOpType dataclass

Bases: ComparisonOpsType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/binary_comparison_op_type.py
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
@dataclass
class BinaryComparisonOpType(ComparisonOpsType):
    literal: list[Literal] = field(
        default_factory=list,
        metadata={
            "name": "Literal",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "max_occurs": 2,
        },
    )
    function: list[Function] = field(
        default_factory=list,
        metadata={
            "name": "Function",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "max_occurs": 2,
        },
    )
    value_reference: list[ValueReference] = field(
        default_factory=list,
        metadata={
            "name": "ValueReference",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "max_occurs": 2,
        },
    )
    match_case: bool = field(
        default=True,
        metadata={
            "name": "matchCase",
            "type": "Attribute",
        },
    )
    match_action: MatchActionType = field(
        default=MatchActionType.ANY,
        metadata={
            "name": "matchAction",
            "type": "Attribute",
        },
    )
function = field(default_factory=list, metadata={'name': 'Function', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'max_occurs': 2}) class-attribute instance-attribute
literal = field(default_factory=list, metadata={'name': 'Literal', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'max_occurs': 2}) class-attribute instance-attribute
match_action = field(default=MatchActionType.ANY, metadata={'name': 'matchAction', 'type': 'Attribute'}) class-attribute instance-attribute
match_case = field(default=True, metadata={'name': 'matchCase', 'type': 'Attribute'}) class-attribute instance-attribute
value_reference = field(default_factory=list, metadata={'name': 'ValueReference', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'max_occurs': 2}) class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), match_case=True, match_action=MatchActionType.ANY)
binary_logic_op_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
And dataclass

Bases: BinaryLogicOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/binary_logic_op_type.py
412
413
414
415
@dataclass
class And(BinaryLogicOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/binary_logic_op_type.py
414
415
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(property_is_between=list(), property_is_nil=list(), property_is_null=list(), property_is_like=list(), property_is_greater_than_or_equal_to=list(), property_is_less_than_or_equal_to=list(), property_is_greater_than=list(), property_is_less_than=list(), property_is_not_equal_to=list(), property_is_equal_to=list(), bbox=list(), beyond=list(), dwithin=list(), contains=list(), intersects=list(), crosses=list(), overlaps=list(), within=list(), touches=list(), disjoint=list(), equals=list(), any_interacts=list(), overlapped_by=list(), toverlaps=list(), met_by=list(), meets=list(), tequals=list(), ends=list(), ended_by=list(), during=list(), tcontains=list(), begun_by=list(), begins=list(), before=list(), after=list(), not_value=list(), or_value=list(), and_value=list(), function=list(), resource_id=list())
BinaryLogicOpType dataclass

Bases: LogicOpsType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/binary_logic_op_type.py
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
@dataclass
class BinaryLogicOpType(LogicOpsType):
    property_is_between: list[PropertyIsBetween] = field(
        default_factory=list,
        metadata={
            "name": "PropertyIsBetween",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_nil: list[PropertyIsNil] = field(
        default_factory=list,
        metadata={
            "name": "PropertyIsNil",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_null: list[PropertyIsNull] = field(
        default_factory=list,
        metadata={
            "name": "PropertyIsNull",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_like: list[PropertyIsLike] = field(
        default_factory=list,
        metadata={
            "name": "PropertyIsLike",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_greater_than_or_equal_to: list[PropertyIsGreaterThanOrEqualTo] = field(
        default_factory=list,
        metadata={
            "name": "PropertyIsGreaterThanOrEqualTo",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_less_than_or_equal_to: list[PropertyIsLessThanOrEqualTo] = field(
        default_factory=list,
        metadata={
            "name": "PropertyIsLessThanOrEqualTo",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_greater_than: list[PropertyIsGreaterThan] = field(
        default_factory=list,
        metadata={
            "name": "PropertyIsGreaterThan",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_less_than: list[PropertyIsLessThan] = field(
        default_factory=list,
        metadata={
            "name": "PropertyIsLessThan",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_not_equal_to: list[PropertyIsNotEqualTo] = field(
        default_factory=list,
        metadata={
            "name": "PropertyIsNotEqualTo",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_equal_to: list[PropertyIsEqualTo] = field(
        default_factory=list,
        metadata={
            "name": "PropertyIsEqualTo",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    bbox: list[Bbox] = field(
        default_factory=list,
        metadata={
            "name": "BBOX",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    beyond: list[Beyond] = field(
        default_factory=list,
        metadata={
            "name": "Beyond",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    dwithin: list[Dwithin] = field(
        default_factory=list,
        metadata={
            "name": "DWithin",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    contains: list[Contains] = field(
        default_factory=list,
        metadata={
            "name": "Contains",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    intersects: list[Intersects] = field(
        default_factory=list,
        metadata={
            "name": "Intersects",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    crosses: list[Crosses] = field(
        default_factory=list,
        metadata={
            "name": "Crosses",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    overlaps: list[Overlaps] = field(
        default_factory=list,
        metadata={
            "name": "Overlaps",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    within: list[Within] = field(
        default_factory=list,
        metadata={
            "name": "Within",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    touches: list[Touches] = field(
        default_factory=list,
        metadata={
            "name": "Touches",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    disjoint: list[Disjoint] = field(
        default_factory=list,
        metadata={
            "name": "Disjoint",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    equals: list[Equals] = field(
        default_factory=list,
        metadata={
            "name": "Equals",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    any_interacts: list[AnyInteracts] = field(
        default_factory=list,
        metadata={
            "name": "AnyInteracts",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    overlapped_by: list[OverlappedBy] = field(
        default_factory=list,
        metadata={
            "name": "OverlappedBy",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    toverlaps: list[Toverlaps] = field(
        default_factory=list,
        metadata={
            "name": "TOverlaps",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    met_by: list[MetBy] = field(
        default_factory=list,
        metadata={
            "name": "MetBy",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    meets: list[Meets] = field(
        default_factory=list,
        metadata={
            "name": "Meets",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    tequals: list[Tequals] = field(
        default_factory=list,
        metadata={
            "name": "TEquals",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    ends: list[Ends] = field(
        default_factory=list,
        metadata={
            "name": "Ends",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    ended_by: list[EndedBy] = field(
        default_factory=list,
        metadata={
            "name": "EndedBy",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    during: list[During] = field(
        default_factory=list,
        metadata={
            "name": "During",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    tcontains: list[Tcontains] = field(
        default_factory=list,
        metadata={
            "name": "TContains",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    begun_by: list[BegunBy] = field(
        default_factory=list,
        metadata={
            "name": "BegunBy",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    begins: list[Begins] = field(
        default_factory=list,
        metadata={
            "name": "Begins",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    before: list[Before] = field(
        default_factory=list,
        metadata={
            "name": "Before",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    after: list[After] = field(
        default_factory=list,
        metadata={
            "name": "After",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    not_value: list["Not"] = field(
        default_factory=list,
        metadata={
            "name": "Not",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    or_value: list["Or"] = field(
        default_factory=list,
        metadata={
            "name": "Or",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    and_value: list["And"] = field(
        default_factory=list,
        metadata={
            "name": "And",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    function: list[Function] = field(
        default_factory=list,
        metadata={
            "name": "Function",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    resource_id: list[ResourceId] = field(
        default_factory=list,
        metadata={
            "name": "ResourceId",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
after = field(default_factory=list, metadata={'name': 'After', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
and_value = field(default_factory=list, metadata={'name': 'And', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
any_interacts = field(default_factory=list, metadata={'name': 'AnyInteracts', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
bbox = field(default_factory=list, metadata={'name': 'BBOX', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
before = field(default_factory=list, metadata={'name': 'Before', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
begins = field(default_factory=list, metadata={'name': 'Begins', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
begun_by = field(default_factory=list, metadata={'name': 'BegunBy', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
beyond = field(default_factory=list, metadata={'name': 'Beyond', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
contains = field(default_factory=list, metadata={'name': 'Contains', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
crosses = field(default_factory=list, metadata={'name': 'Crosses', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
disjoint = field(default_factory=list, metadata={'name': 'Disjoint', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
during = field(default_factory=list, metadata={'name': 'During', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
dwithin = field(default_factory=list, metadata={'name': 'DWithin', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
ended_by = field(default_factory=list, metadata={'name': 'EndedBy', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
ends = field(default_factory=list, metadata={'name': 'Ends', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
equals = field(default_factory=list, metadata={'name': 'Equals', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
function = field(default_factory=list, metadata={'name': 'Function', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
intersects = field(default_factory=list, metadata={'name': 'Intersects', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
meets = field(default_factory=list, metadata={'name': 'Meets', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
met_by = field(default_factory=list, metadata={'name': 'MetBy', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
not_value = field(default_factory=list, metadata={'name': 'Not', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
or_value = field(default_factory=list, metadata={'name': 'Or', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
overlapped_by = field(default_factory=list, metadata={'name': 'OverlappedBy', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
overlaps = field(default_factory=list, metadata={'name': 'Overlaps', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_between = field(default_factory=list, metadata={'name': 'PropertyIsBetween', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_equal_to = field(default_factory=list, metadata={'name': 'PropertyIsEqualTo', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_greater_than = field(default_factory=list, metadata={'name': 'PropertyIsGreaterThan', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_greater_than_or_equal_to = field(default_factory=list, metadata={'name': 'PropertyIsGreaterThanOrEqualTo', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_less_than = field(default_factory=list, metadata={'name': 'PropertyIsLessThan', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_less_than_or_equal_to = field(default_factory=list, metadata={'name': 'PropertyIsLessThanOrEqualTo', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_like = field(default_factory=list, metadata={'name': 'PropertyIsLike', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_nil = field(default_factory=list, metadata={'name': 'PropertyIsNil', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_not_equal_to = field(default_factory=list, metadata={'name': 'PropertyIsNotEqualTo', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_null = field(default_factory=list, metadata={'name': 'PropertyIsNull', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
resource_id = field(default_factory=list, metadata={'name': 'ResourceId', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
tcontains = field(default_factory=list, metadata={'name': 'TContains', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
tequals = field(default_factory=list, metadata={'name': 'TEquals', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
touches = field(default_factory=list, metadata={'name': 'Touches', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
toverlaps = field(default_factory=list, metadata={'name': 'TOverlaps', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
within = field(default_factory=list, metadata={'name': 'Within', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
__init__(property_is_between=list(), property_is_nil=list(), property_is_null=list(), property_is_like=list(), property_is_greater_than_or_equal_to=list(), property_is_less_than_or_equal_to=list(), property_is_greater_than=list(), property_is_less_than=list(), property_is_not_equal_to=list(), property_is_equal_to=list(), bbox=list(), beyond=list(), dwithin=list(), contains=list(), intersects=list(), crosses=list(), overlaps=list(), within=list(), touches=list(), disjoint=list(), equals=list(), any_interacts=list(), overlapped_by=list(), toverlaps=list(), met_by=list(), meets=list(), tequals=list(), ends=list(), ended_by=list(), during=list(), tcontains=list(), begun_by=list(), begins=list(), before=list(), after=list(), not_value=list(), or_value=list(), and_value=list(), function=list(), resource_id=list())
Not dataclass

Bases: UnaryLogicOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/binary_logic_op_type.py
748
749
750
751
@dataclass
class Not(UnaryLogicOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/binary_logic_op_type.py
750
751
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(property_is_between=None, property_is_nil=None, property_is_null=None, property_is_like=None, property_is_greater_than_or_equal_to=None, property_is_less_than_or_equal_to=None, property_is_greater_than=None, property_is_less_than=None, property_is_not_equal_to=None, property_is_equal_to=None, bbox=None, beyond=None, dwithin=None, contains=None, intersects=None, crosses=None, overlaps=None, within=None, touches=None, disjoint=None, equals=None, any_interacts=None, overlapped_by=None, toverlaps=None, met_by=None, meets=None, tequals=None, ends=None, ended_by=None, during=None, tcontains=None, begun_by=None, begins=None, before=None, after=None, not_value=None, or_value=None, and_value=None, function=None, resource_id=list())
Or dataclass

Bases: BinaryLogicOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/binary_logic_op_type.py
418
419
420
421
@dataclass
class Or(BinaryLogicOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/binary_logic_op_type.py
420
421
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(property_is_between=list(), property_is_nil=list(), property_is_null=list(), property_is_like=list(), property_is_greater_than_or_equal_to=list(), property_is_less_than_or_equal_to=list(), property_is_greater_than=list(), property_is_less_than=list(), property_is_not_equal_to=list(), property_is_equal_to=list(), bbox=list(), beyond=list(), dwithin=list(), contains=list(), intersects=list(), crosses=list(), overlaps=list(), within=list(), touches=list(), disjoint=list(), equals=list(), any_interacts=list(), overlapped_by=list(), toverlaps=list(), met_by=list(), meets=list(), tequals=list(), ends=list(), ended_by=list(), during=list(), tcontains=list(), begun_by=list(), begins=list(), before=list(), after=list(), not_value=list(), or_value=list(), and_value=list(), function=list(), resource_id=list())
UnaryLogicOpType dataclass

Bases: LogicOpsType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/binary_logic_op_type.py
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
@dataclass
class UnaryLogicOpType(LogicOpsType):
    property_is_between: Optional[PropertyIsBetween] = field(
        default=None,
        metadata={
            "name": "PropertyIsBetween",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_nil: Optional[PropertyIsNil] = field(
        default=None,
        metadata={
            "name": "PropertyIsNil",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_null: Optional[PropertyIsNull] = field(
        default=None,
        metadata={
            "name": "PropertyIsNull",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_like: Optional[PropertyIsLike] = field(
        default=None,
        metadata={
            "name": "PropertyIsLike",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_greater_than_or_equal_to: Optional[PropertyIsGreaterThanOrEqualTo] = field(
        default=None,
        metadata={
            "name": "PropertyIsGreaterThanOrEqualTo",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_less_than_or_equal_to: Optional[PropertyIsLessThanOrEqualTo] = field(
        default=None,
        metadata={
            "name": "PropertyIsLessThanOrEqualTo",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_greater_than: Optional[PropertyIsGreaterThan] = field(
        default=None,
        metadata={
            "name": "PropertyIsGreaterThan",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_less_than: Optional[PropertyIsLessThan] = field(
        default=None,
        metadata={
            "name": "PropertyIsLessThan",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_not_equal_to: Optional[PropertyIsNotEqualTo] = field(
        default=None,
        metadata={
            "name": "PropertyIsNotEqualTo",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_equal_to: Optional[PropertyIsEqualTo] = field(
        default=None,
        metadata={
            "name": "PropertyIsEqualTo",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    bbox: Optional[Bbox] = field(
        default=None,
        metadata={
            "name": "BBOX",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    beyond: Optional[Beyond] = field(
        default=None,
        metadata={
            "name": "Beyond",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    dwithin: Optional[Dwithin] = field(
        default=None,
        metadata={
            "name": "DWithin",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    contains: Optional[Contains] = field(
        default=None,
        metadata={
            "name": "Contains",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    intersects: Optional[Intersects] = field(
        default=None,
        metadata={
            "name": "Intersects",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    crosses: Optional[Crosses] = field(
        default=None,
        metadata={
            "name": "Crosses",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    overlaps: Optional[Overlaps] = field(
        default=None,
        metadata={
            "name": "Overlaps",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    within: Optional[Within] = field(
        default=None,
        metadata={
            "name": "Within",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    touches: Optional[Touches] = field(
        default=None,
        metadata={
            "name": "Touches",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    disjoint: Optional[Disjoint] = field(
        default=None,
        metadata={
            "name": "Disjoint",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    equals: Optional[Equals] = field(
        default=None,
        metadata={
            "name": "Equals",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    any_interacts: Optional[AnyInteracts] = field(
        default=None,
        metadata={
            "name": "AnyInteracts",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    overlapped_by: Optional[OverlappedBy] = field(
        default=None,
        metadata={
            "name": "OverlappedBy",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    toverlaps: Optional[Toverlaps] = field(
        default=None,
        metadata={
            "name": "TOverlaps",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    met_by: Optional[MetBy] = field(
        default=None,
        metadata={
            "name": "MetBy",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    meets: Optional[Meets] = field(
        default=None,
        metadata={
            "name": "Meets",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    tequals: Optional[Tequals] = field(
        default=None,
        metadata={
            "name": "TEquals",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    ends: Optional[Ends] = field(
        default=None,
        metadata={
            "name": "Ends",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    ended_by: Optional[EndedBy] = field(
        default=None,
        metadata={
            "name": "EndedBy",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    during: Optional[During] = field(
        default=None,
        metadata={
            "name": "During",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    tcontains: Optional[Tcontains] = field(
        default=None,
        metadata={
            "name": "TContains",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    begun_by: Optional[BegunBy] = field(
        default=None,
        metadata={
            "name": "BegunBy",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    begins: Optional[Begins] = field(
        default=None,
        metadata={
            "name": "Begins",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    before: Optional[Before] = field(
        default=None,
        metadata={
            "name": "Before",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    after: Optional[After] = field(
        default=None,
        metadata={
            "name": "After",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    not_value: Optional["Not"] = field(
        default=None,
        metadata={
            "name": "Not",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    or_value: Optional[Or] = field(
        default=None,
        metadata={
            "name": "Or",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    and_value: Optional[And] = field(
        default=None,
        metadata={
            "name": "And",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    function: Optional[Function] = field(
        default=None,
        metadata={
            "name": "Function",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    resource_id: list[ResourceId] = field(
        default_factory=list,
        metadata={
            "name": "ResourceId",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
after = field(default=None, metadata={'name': 'After', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
and_value = field(default=None, metadata={'name': 'And', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
any_interacts = field(default=None, metadata={'name': 'AnyInteracts', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
bbox = field(default=None, metadata={'name': 'BBOX', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
before = field(default=None, metadata={'name': 'Before', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
begins = field(default=None, metadata={'name': 'Begins', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
begun_by = field(default=None, metadata={'name': 'BegunBy', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
beyond = field(default=None, metadata={'name': 'Beyond', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
contains = field(default=None, metadata={'name': 'Contains', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
crosses = field(default=None, metadata={'name': 'Crosses', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
disjoint = field(default=None, metadata={'name': 'Disjoint', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
during = field(default=None, metadata={'name': 'During', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
dwithin = field(default=None, metadata={'name': 'DWithin', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
ended_by = field(default=None, metadata={'name': 'EndedBy', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
ends = field(default=None, metadata={'name': 'Ends', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
equals = field(default=None, metadata={'name': 'Equals', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
function = field(default=None, metadata={'name': 'Function', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
intersects = field(default=None, metadata={'name': 'Intersects', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
meets = field(default=None, metadata={'name': 'Meets', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
met_by = field(default=None, metadata={'name': 'MetBy', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
not_value = field(default=None, metadata={'name': 'Not', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
or_value = field(default=None, metadata={'name': 'Or', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
overlapped_by = field(default=None, metadata={'name': 'OverlappedBy', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
overlaps = field(default=None, metadata={'name': 'Overlaps', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_between = field(default=None, metadata={'name': 'PropertyIsBetween', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_equal_to = field(default=None, metadata={'name': 'PropertyIsEqualTo', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_greater_than = field(default=None, metadata={'name': 'PropertyIsGreaterThan', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_greater_than_or_equal_to = field(default=None, metadata={'name': 'PropertyIsGreaterThanOrEqualTo', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_less_than = field(default=None, metadata={'name': 'PropertyIsLessThan', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_less_than_or_equal_to = field(default=None, metadata={'name': 'PropertyIsLessThanOrEqualTo', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_like = field(default=None, metadata={'name': 'PropertyIsLike', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_nil = field(default=None, metadata={'name': 'PropertyIsNil', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_not_equal_to = field(default=None, metadata={'name': 'PropertyIsNotEqualTo', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_null = field(default=None, metadata={'name': 'PropertyIsNull', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
resource_id = field(default_factory=list, metadata={'name': 'ResourceId', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
tcontains = field(default=None, metadata={'name': 'TContains', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
tequals = field(default=None, metadata={'name': 'TEquals', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
touches = field(default=None, metadata={'name': 'Touches', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
toverlaps = field(default=None, metadata={'name': 'TOverlaps', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
within = field(default=None, metadata={'name': 'Within', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
__init__(property_is_between=None, property_is_nil=None, property_is_null=None, property_is_like=None, property_is_greater_than_or_equal_to=None, property_is_less_than_or_equal_to=None, property_is_greater_than=None, property_is_less_than=None, property_is_not_equal_to=None, property_is_equal_to=None, bbox=None, beyond=None, dwithin=None, contains=None, intersects=None, crosses=None, overlaps=None, within=None, touches=None, disjoint=None, equals=None, any_interacts=None, overlapped_by=None, toverlaps=None, met_by=None, meets=None, tequals=None, ends=None, ended_by=None, during=None, tcontains=None, begun_by=None, begins=None, before=None, after=None, not_value=None, or_value=None, and_value=None, function=None, resource_id=list())
binary_spatial_op_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
BinarySpatialOpType dataclass

Bases: SpatialOpsType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/binary_spatial_op_type.py
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
@dataclass
class BinarySpatialOpType(SpatialOpsType):
    literal: list[Literal] = field(
        default_factory=list,
        metadata={
            "name": "Literal",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "max_occurs": 2,
        },
    )
    function: list[Function] = field(
        default_factory=list,
        metadata={
            "name": "Function",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "max_occurs": 2,
        },
    )
    value_reference: list[ValueReference] = field(
        default_factory=list,
        metadata={
            "name": "ValueReference",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "max_occurs": 2,
        },
    )
    other_element: list[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##other",
            "max_occurs": 2,
        },
    )
function = field(default_factory=list, metadata={'name': 'Function', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'max_occurs': 2}) class-attribute instance-attribute
literal = field(default_factory=list, metadata={'name': 'Literal', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'max_occurs': 2}) class-attribute instance-attribute
other_element = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##other', 'max_occurs': 2}) class-attribute instance-attribute
value_reference = field(default_factory=list, metadata={'name': 'ValueReference', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'max_occurs': 2}) class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
binary_temporal_op_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
BinaryTemporalOpType dataclass

Bases: TemporalOpsType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/binary_temporal_op_type.py
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
@dataclass
class BinaryTemporalOpType(TemporalOpsType):
    literal: list[Literal] = field(
        default_factory=list,
        metadata={
            "name": "Literal",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "max_occurs": 2,
        },
    )
    function: list[Function] = field(
        default_factory=list,
        metadata={
            "name": "Function",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "max_occurs": 2,
        },
    )
    value_reference: list[ValueReference] = field(
        default_factory=list,
        metadata={
            "name": "ValueReference",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "max_occurs": 2,
        },
    )
    other_element: list[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##other",
            "max_occurs": 2,
        },
    )
function = field(default_factory=list, metadata={'name': 'Function', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'max_occurs': 2}) class-attribute instance-attribute
literal = field(default_factory=list, metadata={'name': 'Literal', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'max_occurs': 2}) class-attribute instance-attribute
other_element = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##other', 'max_occurs': 2}) class-attribute instance-attribute
value_reference = field(default_factory=list, metadata={'name': 'ValueReference', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'max_occurs': 2}) class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
comparison_operator_name_type_value
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
ComparisonOperatorNameTypeValue

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/comparison_operator_name_type_value.py
 6
 7
 8
 9
10
11
12
13
14
15
16
class ComparisonOperatorNameTypeValue(Enum):
    PROPERTY_IS_EQUAL_TO = "PropertyIsEqualTo"
    PROPERTY_IS_NOT_EQUAL_TO = "PropertyIsNotEqualTo"
    PROPERTY_IS_LESS_THAN = "PropertyIsLessThan"
    PROPERTY_IS_GREATER_THAN = "PropertyIsGreaterThan"
    PROPERTY_IS_LESS_THAN_OR_EQUAL_TO = "PropertyIsLessThanOrEqualTo"
    PROPERTY_IS_GREATER_THAN_OR_EQUAL_TO = "PropertyIsGreaterThanOrEqualTo"
    PROPERTY_IS_LIKE = "PropertyIsLike"
    PROPERTY_IS_NULL = "PropertyIsNull"
    PROPERTY_IS_NIL = "PropertyIsNil"
    PROPERTY_IS_BETWEEN = "PropertyIsBetween"
PROPERTY_IS_BETWEEN = 'PropertyIsBetween' class-attribute instance-attribute
PROPERTY_IS_EQUAL_TO = 'PropertyIsEqualTo' class-attribute instance-attribute
PROPERTY_IS_GREATER_THAN = 'PropertyIsGreaterThan' class-attribute instance-attribute
PROPERTY_IS_GREATER_THAN_OR_EQUAL_TO = 'PropertyIsGreaterThanOrEqualTo' class-attribute instance-attribute
PROPERTY_IS_LESS_THAN = 'PropertyIsLessThan' class-attribute instance-attribute
PROPERTY_IS_LESS_THAN_OR_EQUAL_TO = 'PropertyIsLessThanOrEqualTo' class-attribute instance-attribute
PROPERTY_IS_LIKE = 'PropertyIsLike' class-attribute instance-attribute
PROPERTY_IS_NIL = 'PropertyIsNil' class-attribute instance-attribute
PROPERTY_IS_NOT_EQUAL_TO = 'PropertyIsNotEqualTo' class-attribute instance-attribute
PROPERTY_IS_NULL = 'PropertyIsNull' class-attribute instance-attribute
comparison_operator_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
ComparisonOperatorType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/comparison_operator_type.py
11
12
13
14
15
16
17
18
19
20
@dataclass
class ComparisonOperatorType:
    name: Optional[Union[str, ComparisonOperatorNameTypeValue]] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
            "pattern": r"extension:\w{2,}",
        },
    )
name = field(default=None, metadata={'type': 'Attribute', 'required': True, 'pattern': 'extension:\\w{2,}'}) class-attribute instance-attribute
__init__(name=None)
comparison_operators_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
ComparisonOperatorsType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/comparison_operators_type.py
10
11
12
13
14
15
16
17
18
19
20
@dataclass
class ComparisonOperatorsType:
    comparison_operator: list[ComparisonOperatorType] = field(
        default_factory=list,
        metadata={
            "name": "ComparisonOperator",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "min_occurs": 1,
        },
    )
comparison_operator = field(default_factory=list, metadata={'name': 'ComparisonOperator', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'min_occurs': 1}) class-attribute instance-attribute
__init__(comparison_operator=list())
comparison_ops
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
ComparisonOps dataclass

Bases: ComparisonOpsType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/comparison_ops.py
10
11
12
13
14
@dataclass
class ComparisonOps(ComparisonOpsType):
    class Meta:
        name = "comparisonOps"
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/comparison_ops.py
12
13
14
class Meta:
    name = "comparisonOps"
    namespace = "http://www.opengis.net/fes/2.0"
name = 'comparisonOps' class-attribute instance-attribute
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__()
comparison_ops_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
ComparisonOpsType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/comparison_ops_type.py
6
7
8
@dataclass
class ComparisonOpsType:
    pass
__init__()
conformance_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
ConformanceType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/conformance_type.py
10
11
12
13
14
15
16
17
18
19
20
@dataclass
class ConformanceType:
    constraint: list[DomainType] = field(
        default_factory=list,
        metadata={
            "name": "Constraint",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "min_occurs": 1,
        },
    )
constraint = field(default_factory=list, metadata={'name': 'Constraint', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'min_occurs': 1}) class-attribute instance-attribute
__init__(constraint=list())
contains
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Contains dataclass

Bases: BinarySpatialOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/contains.py
10
11
12
13
@dataclass
class Contains(BinarySpatialOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/contains.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
crosses
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Crosses dataclass

Bases: BinarySpatialOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/crosses.py
10
11
12
13
@dataclass
class Crosses(BinarySpatialOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/crosses.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
disjoint
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Disjoint dataclass

Bases: BinarySpatialOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/disjoint.py
10
11
12
13
@dataclass
class Disjoint(BinarySpatialOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/disjoint.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
distance_buffer_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
DistanceBufferType dataclass

Bases: SpatialOpsType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/distance_buffer_type.py
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
@dataclass
class DistanceBufferType(SpatialOpsType):
    literal: list[Literal] = field(
        default_factory=list,
        metadata={
            "name": "Literal",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "max_occurs": 2,
        },
    )
    function: list[Function] = field(
        default_factory=list,
        metadata={
            "name": "Function",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "max_occurs": 2,
        },
    )
    value_reference: list[ValueReference] = field(
        default_factory=list,
        metadata={
            "name": "ValueReference",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "max_occurs": 2,
        },
    )
    other_element: list[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##other",
            "max_occurs": 2,
        },
    )
    distance: Optional[MeasureType] = field(
        default=None,
        metadata={
            "name": "Distance",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "required": True,
        },
    )
distance = field(default=None, metadata={'name': 'Distance', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'required': True}) class-attribute instance-attribute
function = field(default_factory=list, metadata={'name': 'Function', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'max_occurs': 2}) class-attribute instance-attribute
literal = field(default_factory=list, metadata={'name': 'Literal', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'max_occurs': 2}) class-attribute instance-attribute
other_element = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##other', 'max_occurs': 2}) class-attribute instance-attribute
value_reference = field(default_factory=list, metadata={'name': 'ValueReference', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'max_occurs': 2}) class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list(), distance=None)
during
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
During dataclass

Bases: BinaryTemporalOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/during.py
10
11
12
13
@dataclass
class During(BinaryTemporalOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/during.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
dwithin
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Dwithin dataclass

Bases: DistanceBufferType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/dwithin.py
10
11
12
13
14
@dataclass
class Dwithin(DistanceBufferType):
    class Meta:
        name = "DWithin"
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/dwithin.py
12
13
14
class Meta:
    name = "DWithin"
    namespace = "http://www.opengis.net/fes/2.0"
name = 'DWithin' class-attribute instance-attribute
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list(), distance=None)
ended_by
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
EndedBy dataclass

Bases: BinaryTemporalOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/ended_by.py
10
11
12
13
@dataclass
class EndedBy(BinaryTemporalOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/ended_by.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
ends
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Ends dataclass

Bases: BinaryTemporalOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/ends.py
10
11
12
13
@dataclass
class Ends(BinaryTemporalOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/ends.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
equals
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Equals dataclass

Bases: BinarySpatialOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/equals.py
10
11
12
13
@dataclass
class Equals(BinarySpatialOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/equals.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
expression
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Expression dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/expression.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
@dataclass
class Expression:
    class Meta:
        name = "expression"
        namespace = "http://www.opengis.net/fes/2.0"

    any_element: Optional[object] = field(
        default=None,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
        },
    )
any_element = field(default=None, metadata={'type': 'Wildcard', 'namespace': '##any'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/expression.py
 9
10
11
class Meta:
    name = "expression"
    namespace = "http://www.opengis.net/fes/2.0"
name = 'expression' class-attribute instance-attribute
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(any_element=None)
extended_capabilities_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
ExtendedCapabilitiesType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/extended_capabilities_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
@dataclass
class ExtendedCapabilitiesType:
    class Meta:
        name = "Extended_CapabilitiesType"

    additional_operators: Optional[AdditionalOperatorsType] = field(
        default=None,
        metadata={
            "name": "AdditionalOperators",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
additional_operators = field(default=None, metadata={'name': 'AdditionalOperators', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/extended_capabilities_type.py
13
14
class Meta:
    name = "Extended_CapabilitiesType"
name = 'Extended_CapabilitiesType' class-attribute instance-attribute
__init__(additional_operators=None)
extension_operator_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
ExtensionOperatorType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/extension_operator_type.py
 8
 9
10
11
12
13
14
15
16
@dataclass
class ExtensionOperatorType:
    name: Optional[QName] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
name = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
__init__(name=None)
extension_ops
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
ExtensionOps dataclass

Bases: ExtensionOpsType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/extension_ops.py
10
11
12
13
14
@dataclass
class ExtensionOps(ExtensionOpsType):
    class Meta:
        name = "extensionOps"
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/extension_ops.py
12
13
14
class Meta:
    name = "extensionOps"
    namespace = "http://www.opengis.net/fes/2.0"
name = 'extensionOps' class-attribute instance-attribute
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__()
extension_ops_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
ExtensionOpsType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/extension_ops_type.py
6
7
8
@dataclass
class ExtensionOpsType:
    pass
__init__()
filter
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Filter dataclass

Bases: FilterType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/filter.py
10
11
12
13
@dataclass
class Filter(FilterType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/filter.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(property_is_between=None, property_is_nil=None, property_is_null=None, property_is_like=None, property_is_greater_than_or_equal_to=None, property_is_less_than_or_equal_to=None, property_is_greater_than=None, property_is_less_than=None, property_is_not_equal_to=None, property_is_equal_to=None, bbox=None, beyond=None, dwithin=None, contains=None, intersects=None, crosses=None, overlaps=None, within=None, touches=None, disjoint=None, equals=None, any_interacts=None, overlapped_by=None, toverlaps=None, met_by=None, meets=None, tequals=None, ends=None, ended_by=None, during=None, tcontains=None, begun_by=None, begins=None, before=None, after=None, not_value=None, or_value=None, and_value=None, function=None, resource_id=list())
filter_capabilities
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
FilterCapabilities dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/filter_capabilities.py
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
@dataclass
class FilterCapabilities:
    class Meta:
        name = "Filter_Capabilities"
        namespace = "http://www.opengis.net/fes/2.0"

    conformance: Optional[ConformanceType] = field(
        default=None,
        metadata={
            "name": "Conformance",
            "type": "Element",
            "required": True,
        },
    )
    id_capabilities: Optional[IdCapabilitiesType] = field(
        default=None,
        metadata={
            "name": "Id_Capabilities",
            "type": "Element",
        },
    )
    scalar_capabilities: Optional[ScalarCapabilitiesType] = field(
        default=None,
        metadata={
            "name": "Scalar_Capabilities",
            "type": "Element",
        },
    )
    spatial_capabilities: Optional[SpatialCapabilitiesType] = field(
        default=None,
        metadata={
            "name": "Spatial_Capabilities",
            "type": "Element",
        },
    )
    temporal_capabilities: Optional[TemporalCapabilitiesType] = field(
        default=None,
        metadata={
            "name": "Temporal_Capabilities",
            "type": "Element",
        },
    )
    functions: Optional[AvailableFunctionsType] = field(
        default=None,
        metadata={
            "name": "Functions",
            "type": "Element",
        },
    )
    extended_capabilities: Optional[ExtendedCapabilitiesType] = field(
        default=None,
        metadata={
            "name": "Extended_Capabilities",
            "type": "Element",
        },
    )
conformance = field(default=None, metadata={'name': 'Conformance', 'type': 'Element', 'required': True}) class-attribute instance-attribute
extended_capabilities = field(default=None, metadata={'name': 'Extended_Capabilities', 'type': 'Element'}) class-attribute instance-attribute
functions = field(default=None, metadata={'name': 'Functions', 'type': 'Element'}) class-attribute instance-attribute
id_capabilities = field(default=None, metadata={'name': 'Id_Capabilities', 'type': 'Element'}) class-attribute instance-attribute
scalar_capabilities = field(default=None, metadata={'name': 'Scalar_Capabilities', 'type': 'Element'}) class-attribute instance-attribute
spatial_capabilities = field(default=None, metadata={'name': 'Spatial_Capabilities', 'type': 'Element'}) class-attribute instance-attribute
temporal_capabilities = field(default=None, metadata={'name': 'Temporal_Capabilities', 'type': 'Element'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/filter_capabilities.py
31
32
33
class Meta:
    name = "Filter_Capabilities"
    namespace = "http://www.opengis.net/fes/2.0"
name = 'Filter_Capabilities' class-attribute instance-attribute
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(conformance=None, id_capabilities=None, scalar_capabilities=None, spatial_capabilities=None, temporal_capabilities=None, functions=None, extended_capabilities=None)
filter_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
FilterType dataclass

Bases: AbstractSelectionClauseType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/filter_type.py
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
@dataclass
class FilterType(AbstractSelectionClauseType):
    property_is_between: Optional[PropertyIsBetween] = field(
        default=None,
        metadata={
            "name": "PropertyIsBetween",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_nil: Optional[PropertyIsNil] = field(
        default=None,
        metadata={
            "name": "PropertyIsNil",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_null: Optional[PropertyIsNull] = field(
        default=None,
        metadata={
            "name": "PropertyIsNull",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_like: Optional[PropertyIsLike] = field(
        default=None,
        metadata={
            "name": "PropertyIsLike",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_greater_than_or_equal_to: Optional[PropertyIsGreaterThanOrEqualTo] = field(
        default=None,
        metadata={
            "name": "PropertyIsGreaterThanOrEqualTo",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_less_than_or_equal_to: Optional[PropertyIsLessThanOrEqualTo] = field(
        default=None,
        metadata={
            "name": "PropertyIsLessThanOrEqualTo",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_greater_than: Optional[PropertyIsGreaterThan] = field(
        default=None,
        metadata={
            "name": "PropertyIsGreaterThan",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_less_than: Optional[PropertyIsLessThan] = field(
        default=None,
        metadata={
            "name": "PropertyIsLessThan",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_not_equal_to: Optional[PropertyIsNotEqualTo] = field(
        default=None,
        metadata={
            "name": "PropertyIsNotEqualTo",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    property_is_equal_to: Optional[PropertyIsEqualTo] = field(
        default=None,
        metadata={
            "name": "PropertyIsEqualTo",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    bbox: Optional[Bbox] = field(
        default=None,
        metadata={
            "name": "BBOX",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    beyond: Optional[Beyond] = field(
        default=None,
        metadata={
            "name": "Beyond",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    dwithin: Optional[Dwithin] = field(
        default=None,
        metadata={
            "name": "DWithin",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    contains: Optional[Contains] = field(
        default=None,
        metadata={
            "name": "Contains",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    intersects: Optional[Intersects] = field(
        default=None,
        metadata={
            "name": "Intersects",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    crosses: Optional[Crosses] = field(
        default=None,
        metadata={
            "name": "Crosses",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    overlaps: Optional[Overlaps] = field(
        default=None,
        metadata={
            "name": "Overlaps",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    within: Optional[Within] = field(
        default=None,
        metadata={
            "name": "Within",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    touches: Optional[Touches] = field(
        default=None,
        metadata={
            "name": "Touches",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    disjoint: Optional[Disjoint] = field(
        default=None,
        metadata={
            "name": "Disjoint",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    equals: Optional[Equals] = field(
        default=None,
        metadata={
            "name": "Equals",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    any_interacts: Optional[AnyInteracts] = field(
        default=None,
        metadata={
            "name": "AnyInteracts",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    overlapped_by: Optional[OverlappedBy] = field(
        default=None,
        metadata={
            "name": "OverlappedBy",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    toverlaps: Optional[Toverlaps] = field(
        default=None,
        metadata={
            "name": "TOverlaps",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    met_by: Optional[MetBy] = field(
        default=None,
        metadata={
            "name": "MetBy",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    meets: Optional[Meets] = field(
        default=None,
        metadata={
            "name": "Meets",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    tequals: Optional[Tequals] = field(
        default=None,
        metadata={
            "name": "TEquals",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    ends: Optional[Ends] = field(
        default=None,
        metadata={
            "name": "Ends",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    ended_by: Optional[EndedBy] = field(
        default=None,
        metadata={
            "name": "EndedBy",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    during: Optional[During] = field(
        default=None,
        metadata={
            "name": "During",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    tcontains: Optional[Tcontains] = field(
        default=None,
        metadata={
            "name": "TContains",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    begun_by: Optional[BegunBy] = field(
        default=None,
        metadata={
            "name": "BegunBy",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    begins: Optional[Begins] = field(
        default=None,
        metadata={
            "name": "Begins",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    before: Optional[Before] = field(
        default=None,
        metadata={
            "name": "Before",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    after: Optional[After] = field(
        default=None,
        metadata={
            "name": "After",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    not_value: Optional[Not] = field(
        default=None,
        metadata={
            "name": "Not",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    or_value: Optional[Or] = field(
        default=None,
        metadata={
            "name": "Or",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    and_value: Optional[And] = field(
        default=None,
        metadata={
            "name": "And",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    function: Optional[Function] = field(
        default=None,
        metadata={
            "name": "Function",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    resource_id: list[ResourceId] = field(
        default_factory=list,
        metadata={
            "name": "ResourceId",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
after = field(default=None, metadata={'name': 'After', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
and_value = field(default=None, metadata={'name': 'And', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
any_interacts = field(default=None, metadata={'name': 'AnyInteracts', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
bbox = field(default=None, metadata={'name': 'BBOX', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
before = field(default=None, metadata={'name': 'Before', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
begins = field(default=None, metadata={'name': 'Begins', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
begun_by = field(default=None, metadata={'name': 'BegunBy', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
beyond = field(default=None, metadata={'name': 'Beyond', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
contains = field(default=None, metadata={'name': 'Contains', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
crosses = field(default=None, metadata={'name': 'Crosses', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
disjoint = field(default=None, metadata={'name': 'Disjoint', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
during = field(default=None, metadata={'name': 'During', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
dwithin = field(default=None, metadata={'name': 'DWithin', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
ended_by = field(default=None, metadata={'name': 'EndedBy', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
ends = field(default=None, metadata={'name': 'Ends', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
equals = field(default=None, metadata={'name': 'Equals', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
function = field(default=None, metadata={'name': 'Function', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
intersects = field(default=None, metadata={'name': 'Intersects', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
meets = field(default=None, metadata={'name': 'Meets', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
met_by = field(default=None, metadata={'name': 'MetBy', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
not_value = field(default=None, metadata={'name': 'Not', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
or_value = field(default=None, metadata={'name': 'Or', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
overlapped_by = field(default=None, metadata={'name': 'OverlappedBy', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
overlaps = field(default=None, metadata={'name': 'Overlaps', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_between = field(default=None, metadata={'name': 'PropertyIsBetween', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_equal_to = field(default=None, metadata={'name': 'PropertyIsEqualTo', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_greater_than = field(default=None, metadata={'name': 'PropertyIsGreaterThan', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_greater_than_or_equal_to = field(default=None, metadata={'name': 'PropertyIsGreaterThanOrEqualTo', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_less_than = field(default=None, metadata={'name': 'PropertyIsLessThan', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_less_than_or_equal_to = field(default=None, metadata={'name': 'PropertyIsLessThanOrEqualTo', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_like = field(default=None, metadata={'name': 'PropertyIsLike', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_nil = field(default=None, metadata={'name': 'PropertyIsNil', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_not_equal_to = field(default=None, metadata={'name': 'PropertyIsNotEqualTo', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
property_is_null = field(default=None, metadata={'name': 'PropertyIsNull', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
resource_id = field(default_factory=list, metadata={'name': 'ResourceId', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
tcontains = field(default=None, metadata={'name': 'TContains', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
tequals = field(default=None, metadata={'name': 'TEquals', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
touches = field(default=None, metadata={'name': 'Touches', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
toverlaps = field(default=None, metadata={'name': 'TOverlaps', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
within = field(default=None, metadata={'name': 'Within', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
__init__(property_is_between=None, property_is_nil=None, property_is_null=None, property_is_like=None, property_is_greater_than_or_equal_to=None, property_is_less_than_or_equal_to=None, property_is_greater_than=None, property_is_less_than=None, property_is_not_equal_to=None, property_is_equal_to=None, bbox=None, beyond=None, dwithin=None, contains=None, intersects=None, crosses=None, overlaps=None, within=None, touches=None, disjoint=None, equals=None, any_interacts=None, overlapped_by=None, toverlaps=None, met_by=None, meets=None, tequals=None, ends=None, ended_by=None, during=None, tcontains=None, begun_by=None, begins=None, before=None, after=None, not_value=None, or_value=None, and_value=None, function=None, resource_id=list())
function_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Function dataclass

Bases: FunctionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/function_type.py
47
48
49
50
@dataclass
class Function(FunctionType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/function_type.py
49
50
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), name=None)
FunctionType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/function_type.py
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
@dataclass
class FunctionType:
    literal: list[Literal] = field(
        default_factory=list,
        metadata={
            "name": "Literal",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    function: list["Function"] = field(
        default_factory=list,
        metadata={
            "name": "Function",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    value_reference: list[ValueReference] = field(
        default_factory=list,
        metadata={
            "name": "ValueReference",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    name: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
function = field(default_factory=list, metadata={'name': 'Function', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
literal = field(default_factory=list, metadata={'name': 'Literal', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
name = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
value_reference = field(default_factory=list, metadata={'name': 'ValueReference', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), name=None)
geometry_operands_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
GeometryOperandsType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/geometry_operands_type.py
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
@dataclass
class GeometryOperandsType:
    geometry_operand: list["GeometryOperandsType.GeometryOperand"] = field(
        default_factory=list,
        metadata={
            "name": "GeometryOperand",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "min_occurs": 1,
        },
    )

    @dataclass
    class GeometryOperand:
        name: Optional[QName] = field(
            default=None,
            metadata={
                "type": "Attribute",
                "required": True,
            },
        )
geometry_operand = field(default_factory=list, metadata={'name': 'GeometryOperand', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'min_occurs': 1}) class-attribute instance-attribute
GeometryOperand dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/geometry_operands_type.py
20
21
22
23
24
25
26
27
28
@dataclass
class GeometryOperand:
    name: Optional[QName] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
name = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
__init__(name=None)
__init__(geometry_operand=list())
id
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Id dataclass

Bases: AbstractIdType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/id.py
10
11
12
13
14
@dataclass
class Id(AbstractIdType):
    class Meta:
        name = "_Id"
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/id.py
12
13
14
class Meta:
    name = "_Id"
    namespace = "http://www.opengis.net/fes/2.0"
name = '_Id' class-attribute instance-attribute
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__()
id_capabilities_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
IdCapabilitiesType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/id_capabilities_type.py
10
11
12
13
14
15
16
17
18
19
20
21
22
23
@dataclass
class IdCapabilitiesType:
    class Meta:
        name = "Id_CapabilitiesType"

    resource_identifier: list[ResourceIdentifierType] = field(
        default_factory=list,
        metadata={
            "name": "ResourceIdentifier",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "min_occurs": 1,
        },
    )
resource_identifier = field(default_factory=list, metadata={'name': 'ResourceIdentifier', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'min_occurs': 1}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/id_capabilities_type.py
12
13
class Meta:
    name = "Id_CapabilitiesType"
name = 'Id_CapabilitiesType' class-attribute instance-attribute
__init__(resource_identifier=list())
intersects
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Intersects dataclass

Bases: BinarySpatialOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/intersects.py
10
11
12
13
@dataclass
class Intersects(BinarySpatialOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/intersects.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
literal
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Literal dataclass

Bases: LiteralType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/literal.py
10
11
12
13
@dataclass
class Literal(LiteralType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/literal.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(type_value=None, content=list())
literal_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
LiteralType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/literal_type.py
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
@dataclass
class LiteralType:
    type_value: Optional[QName] = field(
        default=None,
        metadata={
            "name": "type",
            "type": "Attribute",
        },
    )
    content: list[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
            "mixed": True,
        },
    )
content = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##any', 'mixed': True}) class-attribute instance-attribute
type_value = field(default=None, metadata={'name': 'type', 'type': 'Attribute'}) class-attribute instance-attribute
__init__(type_value=None, content=list())
logic_ops
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
LogicOps dataclass

Bases: LogicOpsType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/logic_ops.py
10
11
12
13
14
@dataclass
class LogicOps(LogicOpsType):
    class Meta:
        name = "logicOps"
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/logic_ops.py
12
13
14
class Meta:
    name = "logicOps"
    namespace = "http://www.opengis.net/fes/2.0"
name = 'logicOps' class-attribute instance-attribute
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__()
logic_ops_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
LogicOpsType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/logic_ops_type.py
6
7
8
@dataclass
class LogicOpsType:
    pass
__init__()
logical_operators
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
LogicalOperators dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/logical_operators.py
6
7
8
9
@dataclass
class LogicalOperators:
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/logical_operators.py
8
9
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__()
lower_boundary_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
LowerBoundaryType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/lower_boundary_type.py
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
@dataclass
class LowerBoundaryType:
    literal: Optional[Literal] = field(
        default=None,
        metadata={
            "name": "Literal",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    function: Optional[Function] = field(
        default=None,
        metadata={
            "name": "Function",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    value_reference: Optional[ValueReference] = field(
        default=None,
        metadata={
            "name": "ValueReference",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
function = field(default=None, metadata={'name': 'Function', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
literal = field(default=None, metadata={'name': 'Literal', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
value_reference = field(default=None, metadata={'name': 'ValueReference', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
__init__(literal=None, function=None, value_reference=None)
match_action_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
MatchActionType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/match_action_type.py
6
7
8
9
class MatchActionType(Enum):
    ALL = "All"
    ANY = "Any"
    ONE = "One"
ALL = 'All' class-attribute instance-attribute
ANY = 'Any' class-attribute instance-attribute
ONE = 'One' class-attribute instance-attribute
measure_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
MeasureType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/measure_type.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
@dataclass
class MeasureType:
    value: Optional[float] = field(
        default=None,
        metadata={
            "required": True,
        },
    )
    uom: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
            "pattern": r"[^: \n\r\t]+",
        },
    )
uom = field(default=None, metadata={'type': 'Attribute', 'required': True, 'pattern': '[^: \\n\\r\\t]+'}) class-attribute instance-attribute
value = field(default=None, metadata={'required': True}) class-attribute instance-attribute
__init__(value=None, uom=None)
meets
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Meets dataclass

Bases: BinaryTemporalOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/meets.py
10
11
12
13
@dataclass
class Meets(BinaryTemporalOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/meets.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
met_by
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
MetBy dataclass

Bases: BinaryTemporalOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/met_by.py
10
11
12
13
@dataclass
class MetBy(BinaryTemporalOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/met_by.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
overlapped_by
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
OverlappedBy dataclass

Bases: BinaryTemporalOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/overlapped_by.py
10
11
12
13
@dataclass
class OverlappedBy(BinaryTemporalOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/overlapped_by.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
overlaps
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Overlaps dataclass

Bases: BinarySpatialOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/overlaps.py
10
11
12
13
@dataclass
class Overlaps(BinarySpatialOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/overlaps.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
property_is_between
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
PropertyIsBetween dataclass

Bases: PropertyIsBetweenType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_between.py
10
11
12
13
@dataclass
class PropertyIsBetween(PropertyIsBetweenType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_between.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=None, function=None, value_reference=None, lower_boundary=None, upper_boundary=None)
property_is_between_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
PropertyIsBetweenType dataclass

Bases: ComparisonOpsType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_between_type.py
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
@dataclass
class PropertyIsBetweenType(ComparisonOpsType):
    literal: Optional[Literal] = field(
        default=None,
        metadata={
            "name": "Literal",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    function: Optional[Function] = field(
        default=None,
        metadata={
            "name": "Function",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    value_reference: Optional[ValueReference] = field(
        default=None,
        metadata={
            "name": "ValueReference",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    lower_boundary: Optional[LowerBoundaryType] = field(
        default=None,
        metadata={
            "name": "LowerBoundary",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "required": True,
        },
    )
    upper_boundary: Optional[UpperBoundaryType] = field(
        default=None,
        metadata={
            "name": "UpperBoundary",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "required": True,
        },
    )
function = field(default=None, metadata={'name': 'Function', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
literal = field(default=None, metadata={'name': 'Literal', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
lower_boundary = field(default=None, metadata={'name': 'LowerBoundary', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'required': True}) class-attribute instance-attribute
upper_boundary = field(default=None, metadata={'name': 'UpperBoundary', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'required': True}) class-attribute instance-attribute
value_reference = field(default=None, metadata={'name': 'ValueReference', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
__init__(literal=None, function=None, value_reference=None, lower_boundary=None, upper_boundary=None)
property_is_equal_to
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
PropertyIsEqualTo dataclass

Bases: BinaryComparisonOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_equal_to.py
10
11
12
13
@dataclass
class PropertyIsEqualTo(BinaryComparisonOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_equal_to.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), match_case=True, match_action=MatchActionType.ANY)
property_is_greater_than
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
PropertyIsGreaterThan dataclass

Bases: BinaryComparisonOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_greater_than.py
10
11
12
13
@dataclass
class PropertyIsGreaterThan(BinaryComparisonOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_greater_than.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), match_case=True, match_action=MatchActionType.ANY)
property_is_greater_than_or_equal_to
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
PropertyIsGreaterThanOrEqualTo dataclass

Bases: BinaryComparisonOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_greater_than_or_equal_to.py
10
11
12
13
@dataclass
class PropertyIsGreaterThanOrEqualTo(BinaryComparisonOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_greater_than_or_equal_to.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), match_case=True, match_action=MatchActionType.ANY)
property_is_less_than
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
PropertyIsLessThan dataclass

Bases: BinaryComparisonOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_less_than.py
10
11
12
13
@dataclass
class PropertyIsLessThan(BinaryComparisonOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_less_than.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), match_case=True, match_action=MatchActionType.ANY)
property_is_less_than_or_equal_to
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
PropertyIsLessThanOrEqualTo dataclass

Bases: BinaryComparisonOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_less_than_or_equal_to.py
10
11
12
13
@dataclass
class PropertyIsLessThanOrEqualTo(BinaryComparisonOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_less_than_or_equal_to.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), match_case=True, match_action=MatchActionType.ANY)
property_is_like
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
PropertyIsLike dataclass

Bases: PropertyIsLikeType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_like.py
10
11
12
13
@dataclass
class PropertyIsLike(PropertyIsLikeType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_like.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), wild_card=None, single_char=None, escape_char=None, match_case=True)
property_is_like_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
PropertyIsLikeType dataclass

Bases: ComparisonOpsType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_like_type.py
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
@dataclass
class PropertyIsLikeType(ComparisonOpsType):
    literal: list[Literal] = field(
        default_factory=list,
        metadata={
            "name": "Literal",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "max_occurs": 2,
        },
    )
    function: list[Function] = field(
        default_factory=list,
        metadata={
            "name": "Function",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "max_occurs": 2,
        },
    )
    value_reference: list[ValueReference] = field(
        default_factory=list,
        metadata={
            "name": "ValueReference",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "max_occurs": 2,
        },
    )
    wild_card: Optional[str] = field(
        default=None,
        metadata={
            "name": "wildCard",
            "type": "Attribute",
            "required": True,
        },
    )
    single_char: Optional[str] = field(
        default=None,
        metadata={
            "name": "singleChar",
            "type": "Attribute",
            "required": True,
        },
    )
    escape_char: Optional[str] = field(
        default=None,
        metadata={
            "name": "escapeChar",
            "type": "Attribute",
            "required": True,
        },
    )
    match_case: bool = field(
        default=True,
        metadata={
            "name": "matchCase",
            "type": "Attribute",
        },
    )
escape_char = field(default=None, metadata={'name': 'escapeChar', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
function = field(default_factory=list, metadata={'name': 'Function', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'max_occurs': 2}) class-attribute instance-attribute
literal = field(default_factory=list, metadata={'name': 'Literal', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'max_occurs': 2}) class-attribute instance-attribute
match_case = field(default=True, metadata={'name': 'matchCase', 'type': 'Attribute'}) class-attribute instance-attribute
single_char = field(default=None, metadata={'name': 'singleChar', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
value_reference = field(default_factory=list, metadata={'name': 'ValueReference', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'max_occurs': 2}) class-attribute instance-attribute
wild_card = field(default=None, metadata={'name': 'wildCard', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), wild_card=None, single_char=None, escape_char=None, match_case=True)
property_is_nil
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
PropertyIsNil dataclass

Bases: PropertyIsNilType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_nil.py
10
11
12
13
@dataclass
class PropertyIsNil(PropertyIsNilType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_nil.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=None, function=None, value_reference=None, nil_reason=None)
property_is_nil_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
PropertyIsNilType dataclass

Bases: ComparisonOpsType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_nil_type.py
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
@dataclass
class PropertyIsNilType(ComparisonOpsType):
    literal: Optional[Literal] = field(
        default=None,
        metadata={
            "name": "Literal",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    function: Optional[Function] = field(
        default=None,
        metadata={
            "name": "Function",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    value_reference: Optional[ValueReference] = field(
        default=None,
        metadata={
            "name": "ValueReference",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    nil_reason: Optional[str] = field(
        default=None,
        metadata={
            "name": "nilReason",
            "type": "Attribute",
        },
    )
function = field(default=None, metadata={'name': 'Function', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
literal = field(default=None, metadata={'name': 'Literal', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
nil_reason = field(default=None, metadata={'name': 'nilReason', 'type': 'Attribute'}) class-attribute instance-attribute
value_reference = field(default=None, metadata={'name': 'ValueReference', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
__init__(literal=None, function=None, value_reference=None, nil_reason=None)
property_is_not_equal_to
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
PropertyIsNotEqualTo dataclass

Bases: BinaryComparisonOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_not_equal_to.py
10
11
12
13
@dataclass
class PropertyIsNotEqualTo(BinaryComparisonOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_not_equal_to.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), match_case=True, match_action=MatchActionType.ANY)
property_is_null
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
PropertyIsNull dataclass

Bases: PropertyIsNullType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_null.py
10
11
12
13
@dataclass
class PropertyIsNull(PropertyIsNullType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_null.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=None, function=None, value_reference=None)
property_is_null_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
PropertyIsNullType dataclass

Bases: ComparisonOpsType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/property_is_null_type.py
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
@dataclass
class PropertyIsNullType(ComparisonOpsType):
    literal: Optional[Literal] = field(
        default=None,
        metadata={
            "name": "Literal",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    function: Optional[Function] = field(
        default=None,
        metadata={
            "name": "Function",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    value_reference: Optional[ValueReference] = field(
        default=None,
        metadata={
            "name": "ValueReference",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
function = field(default=None, metadata={'name': 'Function', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
literal = field(default=None, metadata={'name': 'Literal', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
value_reference = field(default=None, metadata={'name': 'ValueReference', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
__init__(literal=None, function=None, value_reference=None)
resource_id
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
ResourceId dataclass

Bases: ResourceIdType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/resource_id.py
10
11
12
13
@dataclass
class ResourceId(ResourceIdType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/resource_id.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(rid=None, previous_rid=None, version=None, start_date=None, end_date=None)
resource_id_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
ResourceIdType dataclass

Bases: AbstractIdType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/resource_id_type.py
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
@dataclass
class ResourceIdType(AbstractIdType):
    rid: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    previous_rid: Optional[str] = field(
        default=None,
        metadata={
            "name": "previousRid",
            "type": "Attribute",
        },
    )
    version: Optional[Union[VersionActionTokens, int, XmlDateTime]] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
    start_date: Optional[XmlDateTime] = field(
        default=None,
        metadata={
            "name": "startDate",
            "type": "Attribute",
        },
    )
    end_date: Optional[XmlDateTime] = field(
        default=None,
        metadata={
            "name": "endDate",
            "type": "Attribute",
        },
    )
end_date = field(default=None, metadata={'name': 'endDate', 'type': 'Attribute'}) class-attribute instance-attribute
previous_rid = field(default=None, metadata={'name': 'previousRid', 'type': 'Attribute'}) class-attribute instance-attribute
rid = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
start_date = field(default=None, metadata={'name': 'startDate', 'type': 'Attribute'}) class-attribute instance-attribute
version = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
__init__(rid=None, previous_rid=None, version=None, start_date=None, end_date=None)
resource_identifier_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
ResourceIdentifierType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/resource_identifier_type.py
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
@dataclass
class ResourceIdentifierType:
    metadata: Optional[Metadata] = field(
        default=None,
        metadata={
            "name": "Metadata",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    name: Optional[QName] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
metadata = field(default=None, metadata={'name': 'Metadata', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
name = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
__init__(metadata=None, name=None)
scalar_capabilities_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
ScalarCapabilitiesType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/scalar_capabilities_type.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
@dataclass
class ScalarCapabilitiesType:
    class Meta:
        name = "Scalar_CapabilitiesType"

    logical_operators: Optional[LogicalOperators] = field(
        default=None,
        metadata={
            "name": "LogicalOperators",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    comparison_operators: Optional[ComparisonOperatorsType] = field(
        default=None,
        metadata={
            "name": "ComparisonOperators",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
comparison_operators = field(default=None, metadata={'name': 'ComparisonOperators', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
logical_operators = field(default=None, metadata={'name': 'LogicalOperators', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/scalar_capabilities_type.py
16
17
class Meta:
    name = "Scalar_CapabilitiesType"
name = 'Scalar_CapabilitiesType' class-attribute instance-attribute
__init__(logical_operators=None, comparison_operators=None)
sort_by
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
SortBy dataclass

Bases: SortByType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/sort_by.py
10
11
12
13
@dataclass
class SortBy(SortByType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/sort_by.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(sort_property=list())
sort_by_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
SortByType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/sort_by_type.py
10
11
12
13
14
15
16
17
18
19
20
@dataclass
class SortByType:
    sort_property: list[SortPropertyType] = field(
        default_factory=list,
        metadata={
            "name": "SortProperty",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "min_occurs": 1,
        },
    )
sort_property = field(default_factory=list, metadata={'name': 'SortProperty', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'min_occurs': 1}) class-attribute instance-attribute
__init__(sort_property=list())
sort_order_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
SortOrderType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/sort_order_type.py
6
7
8
class SortOrderType(Enum):
    DESC = "DESC"
    ASC = "ASC"
ASC = 'ASC' class-attribute instance-attribute
DESC = 'DESC' class-attribute instance-attribute
sort_property_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
SortPropertyType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/sort_property_type.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
@dataclass
class SortPropertyType:
    value_reference: Optional[ValueReference] = field(
        default=None,
        metadata={
            "name": "ValueReference",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "required": True,
        },
    )
    sort_order: Optional[SortOrderType] = field(
        default=None,
        metadata={
            "name": "SortOrder",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
sort_order = field(default=None, metadata={'name': 'SortOrder', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
value_reference = field(default=None, metadata={'name': 'ValueReference', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'required': True}) class-attribute instance-attribute
__init__(value_reference=None, sort_order=None)
spatial_capabilities_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
SpatialCapabilitiesType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/spatial_capabilities_type.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
@dataclass
class SpatialCapabilitiesType:
    class Meta:
        name = "Spatial_CapabilitiesType"

    geometry_operands: Optional[GeometryOperandsType] = field(
        default=None,
        metadata={
            "name": "GeometryOperands",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "required": True,
        },
    )
    spatial_operators: Optional[SpatialOperatorsType] = field(
        default=None,
        metadata={
            "name": "SpatialOperators",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "required": True,
        },
    )
geometry_operands = field(default=None, metadata={'name': 'GeometryOperands', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'required': True}) class-attribute instance-attribute
spatial_operators = field(default=None, metadata={'name': 'SpatialOperators', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/spatial_capabilities_type.py
16
17
class Meta:
    name = "Spatial_CapabilitiesType"
name = 'Spatial_CapabilitiesType' class-attribute instance-attribute
__init__(geometry_operands=None, spatial_operators=None)
spatial_operator_name_type_value
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
SpatialOperatorNameTypeValue

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/spatial_operator_name_type_value.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
class SpatialOperatorNameTypeValue(Enum):
    BBOX = "BBOX"
    EQUALS = "Equals"
    DISJOINT = "Disjoint"
    INTERSECTS = "Intersects"
    TOUCHES = "Touches"
    CROSSES = "Crosses"
    WITHIN = "Within"
    CONTAINS = "Contains"
    OVERLAPS = "Overlaps"
    BEYOND = "Beyond"
    DWITHIN = "DWithin"
BBOX = 'BBOX' class-attribute instance-attribute
BEYOND = 'Beyond' class-attribute instance-attribute
CONTAINS = 'Contains' class-attribute instance-attribute
CROSSES = 'Crosses' class-attribute instance-attribute
DISJOINT = 'Disjoint' class-attribute instance-attribute
DWITHIN = 'DWithin' class-attribute instance-attribute
EQUALS = 'Equals' class-attribute instance-attribute
INTERSECTS = 'Intersects' class-attribute instance-attribute
OVERLAPS = 'Overlaps' class-attribute instance-attribute
TOUCHES = 'Touches' class-attribute instance-attribute
WITHIN = 'Within' class-attribute instance-attribute
spatial_operator_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
SpatialOperatorType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/spatial_operator_type.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
@dataclass
class SpatialOperatorType:
    geometry_operands: Optional[GeometryOperandsType] = field(
        default=None,
        metadata={
            "name": "GeometryOperands",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    name: Optional[Union[str, SpatialOperatorNameTypeValue]] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "pattern": r"extension:\w{2,}",
        },
    )
geometry_operands = field(default=None, metadata={'name': 'GeometryOperands', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
name = field(default=None, metadata={'type': 'Attribute', 'pattern': 'extension:\\w{2,}'}) class-attribute instance-attribute
__init__(geometry_operands=None, name=None)
spatial_operators_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
SpatialOperatorsType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/spatial_operators_type.py
10
11
12
13
14
15
16
17
18
19
20
@dataclass
class SpatialOperatorsType:
    spatial_operator: list[SpatialOperatorType] = field(
        default_factory=list,
        metadata={
            "name": "SpatialOperator",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "min_occurs": 1,
        },
    )
spatial_operator = field(default_factory=list, metadata={'name': 'SpatialOperator', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'min_occurs': 1}) class-attribute instance-attribute
__init__(spatial_operator=list())
spatial_ops
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
SpatialOps dataclass

Bases: SpatialOpsType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/spatial_ops.py
10
11
12
13
14
@dataclass
class SpatialOps(SpatialOpsType):
    class Meta:
        name = "spatialOps"
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/spatial_ops.py
12
13
14
class Meta:
    name = "spatialOps"
    namespace = "http://www.opengis.net/fes/2.0"
name = 'spatialOps' class-attribute instance-attribute
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__()
spatial_ops_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
SpatialOpsType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/spatial_ops_type.py
6
7
8
@dataclass
class SpatialOpsType:
    pass
__init__()
tcontains
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Tcontains dataclass

Bases: BinaryTemporalOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/tcontains.py
10
11
12
13
14
@dataclass
class Tcontains(BinaryTemporalOpType):
    class Meta:
        name = "TContains"
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/tcontains.py
12
13
14
class Meta:
    name = "TContains"
    namespace = "http://www.opengis.net/fes/2.0"
name = 'TContains' class-attribute instance-attribute
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
temporal_capabilities_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
TemporalCapabilitiesType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/temporal_capabilities_type.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
@dataclass
class TemporalCapabilitiesType:
    class Meta:
        name = "Temporal_CapabilitiesType"

    temporal_operands: Optional[TemporalOperandsType] = field(
        default=None,
        metadata={
            "name": "TemporalOperands",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "required": True,
        },
    )
    temporal_operators: Optional[TemporalOperatorsType] = field(
        default=None,
        metadata={
            "name": "TemporalOperators",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "required": True,
        },
    )
temporal_operands = field(default=None, metadata={'name': 'TemporalOperands', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'required': True}) class-attribute instance-attribute
temporal_operators = field(default=None, metadata={'name': 'TemporalOperators', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/temporal_capabilities_type.py
16
17
class Meta:
    name = "Temporal_CapabilitiesType"
name = 'Temporal_CapabilitiesType' class-attribute instance-attribute
__init__(temporal_operands=None, temporal_operators=None)
temporal_operands_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
TemporalOperandsType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/temporal_operands_type.py
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
@dataclass
class TemporalOperandsType:
    temporal_operand: list["TemporalOperandsType.TemporalOperand"] = field(
        default_factory=list,
        metadata={
            "name": "TemporalOperand",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "min_occurs": 1,
        },
    )

    @dataclass
    class TemporalOperand:
        name: Optional[QName] = field(
            default=None,
            metadata={
                "type": "Attribute",
                "required": True,
            },
        )
temporal_operand = field(default_factory=list, metadata={'name': 'TemporalOperand', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'min_occurs': 1}) class-attribute instance-attribute
TemporalOperand dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/temporal_operands_type.py
20
21
22
23
24
25
26
27
28
@dataclass
class TemporalOperand:
    name: Optional[QName] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
name = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
__init__(name=None)
__init__(temporal_operand=list())
temporal_operator_name_type_value
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
TemporalOperatorNameTypeValue

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/temporal_operator_name_type_value.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
class TemporalOperatorNameTypeValue(Enum):
    AFTER = "After"
    BEFORE = "Before"
    BEGINS = "Begins"
    BEGUN_BY = "BegunBy"
    TCONTAINS = "TContains"
    DURING = "During"
    TEQUALS = "TEquals"
    TOVERLAPS = "TOverlaps"
    MEETS = "Meets"
    OVERLAPPED_BY = "OverlappedBy"
    MET_BY = "MetBy"
    ENDS = "Ends"
    ENDED_BY = "EndedBy"
AFTER = 'After' class-attribute instance-attribute
BEFORE = 'Before' class-attribute instance-attribute
BEGINS = 'Begins' class-attribute instance-attribute
BEGUN_BY = 'BegunBy' class-attribute instance-attribute
DURING = 'During' class-attribute instance-attribute
ENDED_BY = 'EndedBy' class-attribute instance-attribute
ENDS = 'Ends' class-attribute instance-attribute
MEETS = 'Meets' class-attribute instance-attribute
MET_BY = 'MetBy' class-attribute instance-attribute
OVERLAPPED_BY = 'OverlappedBy' class-attribute instance-attribute
TCONTAINS = 'TContains' class-attribute instance-attribute
TEQUALS = 'TEquals' class-attribute instance-attribute
TOVERLAPS = 'TOverlaps' class-attribute instance-attribute
temporal_operator_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
TemporalOperatorType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/temporal_operator_type.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
@dataclass
class TemporalOperatorType:
    temporal_operands: Optional[TemporalOperandsType] = field(
        default=None,
        metadata={
            "name": "TemporalOperands",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    name: Optional[Union[str, TemporalOperatorNameTypeValue]] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
            "pattern": r"extension:\w{2,}",
        },
    )
name = field(default=None, metadata={'type': 'Attribute', 'required': True, 'pattern': 'extension:\\w{2,}'}) class-attribute instance-attribute
temporal_operands = field(default=None, metadata={'name': 'TemporalOperands', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
__init__(temporal_operands=None, name=None)
temporal_operators_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
TemporalOperatorsType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/temporal_operators_type.py
10
11
12
13
14
15
16
17
18
19
20
@dataclass
class TemporalOperatorsType:
    temporal_operator: list[TemporalOperatorType] = field(
        default_factory=list,
        metadata={
            "name": "TemporalOperator",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "min_occurs": 1,
        },
    )
temporal_operator = field(default_factory=list, metadata={'name': 'TemporalOperator', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'min_occurs': 1}) class-attribute instance-attribute
__init__(temporal_operator=list())
temporal_ops
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
TemporalOps dataclass

Bases: TemporalOpsType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/temporal_ops.py
10
11
12
13
14
@dataclass
class TemporalOps(TemporalOpsType):
    class Meta:
        name = "temporalOps"
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/temporal_ops.py
12
13
14
class Meta:
    name = "temporalOps"
    namespace = "http://www.opengis.net/fes/2.0"
name = 'temporalOps' class-attribute instance-attribute
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__()
temporal_ops_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
TemporalOpsType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/temporal_ops_type.py
6
7
8
@dataclass
class TemporalOpsType:
    pass
__init__()
tequals
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Tequals dataclass

Bases: BinaryTemporalOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/tequals.py
10
11
12
13
14
@dataclass
class Tequals(BinaryTemporalOpType):
    class Meta:
        name = "TEquals"
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/tequals.py
12
13
14
class Meta:
    name = "TEquals"
    namespace = "http://www.opengis.net/fes/2.0"
name = 'TEquals' class-attribute instance-attribute
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
touches
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Touches dataclass

Bases: BinarySpatialOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/touches.py
10
11
12
13
@dataclass
class Touches(BinarySpatialOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/touches.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
toverlaps
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Toverlaps dataclass

Bases: BinaryTemporalOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/toverlaps.py
10
11
12
13
14
@dataclass
class Toverlaps(BinaryTemporalOpType):
    class Meta:
        name = "TOverlaps"
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/toverlaps.py
12
13
14
class Meta:
    name = "TOverlaps"
    namespace = "http://www.opengis.net/fes/2.0"
name = 'TOverlaps' class-attribute instance-attribute
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
upper_boundary_type
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
UpperBoundaryType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/upper_boundary_type.py
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
@dataclass
class UpperBoundaryType:
    literal: Optional[Literal] = field(
        default=None,
        metadata={
            "name": "Literal",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    function: Optional[Function] = field(
        default=None,
        metadata={
            "name": "Function",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    value_reference: Optional[ValueReference] = field(
        default=None,
        metadata={
            "name": "ValueReference",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
function = field(default=None, metadata={'name': 'Function', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
literal = field(default=None, metadata={'name': 'Literal', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
value_reference = field(default=None, metadata={'name': 'ValueReference', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
__init__(literal=None, function=None, value_reference=None)
value_reference
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
ValueReference dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/value_reference.py
 6
 7
 8
 9
10
11
12
13
14
15
16
@dataclass
class ValueReference:
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/value_reference.py
8
9
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(value='')
version_action_tokens
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
VersionActionTokens

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/version_action_tokens.py
 6
 7
 8
 9
10
11
class VersionActionTokens(Enum):
    FIRST = "FIRST"
    LAST = "LAST"
    PREVIOUS = "PREVIOUS"
    NEXT = "NEXT"
    ALL = "ALL"
ALL = 'ALL' class-attribute instance-attribute
FIRST = 'FIRST' class-attribute instance-attribute
LAST = 'LAST' class-attribute instance-attribute
NEXT = 'NEXT' class-attribute instance-attribute
PREVIOUS = 'PREVIOUS' class-attribute instance-attribute
within
__NAMESPACE__ = 'http://www.opengis.net/fes/2.0' module-attribute
Within dataclass

Bases: BinarySpatialOpType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/within.py
10
11
12
13
@dataclass
class Within(BinarySpatialOpType):
    class Meta:
        namespace = "http://www.opengis.net/fes/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/fes/pkg_2/within.py
12
13
class Meta:
    namespace = "http://www.opengis.net/fes/2.0"
namespace = 'http://www.opengis.net/fes/2.0' class-attribute instance-attribute
__init__(literal=list(), function=list(), value_reference=list(), other_element=list())
ows
pkg_1
__all__ = ['Abstract', 'AbstractMetaData', 'AbstractReferenceBase', 'AbstractReferenceBaseType', 'AcceptFormatsType', 'AcceptVersionsType', 'AccessConstraints', 'AddressType', 'AllowedValues', 'AnyValue', 'AvailableCrs', 'BasicIdentificationType', 'BoundingBox', 'BoundingBoxType', 'CapabilitiesBaseType', 'CodeType', 'ContactInfo', 'ContactType', 'ContentsBaseType', 'DataType', 'DatasetDescriptionSummary', 'DatasetDescriptionSummaryBaseType', 'Dcp', 'DefaultValue', 'DescriptionType', 'DomainMetadataType', 'DomainType', 'Exception', 'ExceptionReport', 'ExceptionType', 'ExtendedCapabilities', 'Fees', 'GetCapabilities', 'GetCapabilitiesType', 'GetResourceById', 'GetResourceByIdType', 'Http', 'IdentificationType', 'Identifier', 'IndividualName', 'InputData', 'Keywords', 'KeywordsType', 'Language', 'LanguageStringType', 'Manifest', 'ManifestType', 'MaximumValue', 'Meaning', 'Metadata', 'MetadataType', 'MinimumValue', 'NoValues', 'OnlineResourceType', 'Operation', 'OperationResponse', 'OperationsMetadata', 'OrganisationName', 'OtherSource', 'OutputFormat', 'PointOfContact', 'PositionName', 'Range', 'RangeClosureValue', 'RangeType', 'Reference', 'ReferenceGroup', 'ReferenceGroupType', 'ReferenceSystem', 'ReferenceType', 'RequestMethodType', 'Resource', 'ResponsiblePartySubsetType', 'ResponsiblePartyType', 'Role', 'SectionsType', 'ServiceIdentification', 'ServiceProvider', 'ServiceReference', 'ServiceReferenceType', 'Spacing', 'SupportedCrs', 'TelephoneType', 'Title', 'UnNamedDomainType', 'Uom', 'Value', 'ValueType', 'ValuesReference', 'Wgs84BoundingBox', 'Wgs84BoundingBoxType'] module-attribute
Abstract dataclass

Bases: LanguageStringType

Brief narrative description of this resource, normally used for display to a human.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/abstract.py
10
11
12
13
14
15
16
17
18
@dataclass
class Abstract(LanguageStringType):
    """
    Brief narrative description of this resource, normally used for display to a
    human.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/abstract.py
17
18
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='', lang=None)
AbstractMetaData dataclass

Abstract element containing more metadata about the element that includes the containing "metadata" element.

A specific server implementation, or an Implementation Specification, can define concrete elements in the AbstractMetaData substitution group.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/abstract_meta_data.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
@dataclass
class AbstractMetaData:
    """Abstract element containing more metadata about the element that includes
    the containing "metadata" element.

    A specific server implementation, or an Implementation
    Specification, can define concrete elements in the AbstractMetaData
    substitution group.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/abstract_meta_data.py
16
17
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__()
AbstractReferenceBase dataclass

Bases: AbstractReferenceBaseType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/abstract_reference_base.py
10
11
12
13
@dataclass
class AbstractReferenceBase(AbstractReferenceBaseType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/abstract_reference_base.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None)
AbstractReferenceBaseType dataclass

Base for a reference to a remote or local resource.

This type contains only a restricted and annotated set of the attributes from the xlink:simpleAttrs attributeGroup.

:ivar type_value: :ivar href: Reference to a remote resource or local payload. A remote resource is typically addressed by a URL. For a local payload (such as a multipart mime message), the xlink:href must start with the prefix cid:. :ivar role: Reference to a resource that describes the role of this reference. When no value is supplied, no particular role value is to be inferred. :ivar arcrole: Although allowed, this attribute is not expected to be useful in this application of xlink:simpleAttrs. :ivar title: Describes the meaning of the referenced resource in a human-readable fashion. :ivar show: Although allowed, this attribute is not expected to be useful in this application of xlink:simpleAttrs. :ivar actuate: Although allowed, this attribute is not expected to be useful in this application of xlink:simpleAttrs.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/abstract_reference_base_type.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
@dataclass
class AbstractReferenceBaseType:
    """Base for a reference to a remote or local resource.

    This type contains only a restricted and annotated set of the
    attributes from the xlink:simpleAttrs attributeGroup.

    :ivar type_value:
    :ivar href: Reference to a remote resource or local payload. A
        remote resource is typically addressed by a URL. For a local
        payload (such as a multipart mime message), the xlink:href must
        start with the prefix cid:.
    :ivar role: Reference to a resource that describes the role of this
        reference. When no value is supplied, no particular role value
        is to be inferred.
    :ivar arcrole: Although allowed, this attribute is not expected to
        be useful in this application of xlink:simpleAttrs.
    :ivar title: Describes the meaning of the referenced resource in a
        human-readable fashion.
    :ivar show: Although allowed, this attribute is not expected to be
        useful in this application of xlink:simpleAttrs.
    :ivar actuate: Although allowed, this attribute is not expected to
        be useful in this application of xlink:simpleAttrs.
    """

    type_value: str = field(
        init=False,
        default="simple",
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    href: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    arcrole: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    show: Optional[ShowType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    actuate: Optional[ActuateType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
actuate = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
arcrole = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
href = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
show = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default='simple', metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None)
AcceptFormatsType dataclass

Prioritized sequence of zero or more GetCapabilities operation response formats desired by client, with preferred formats listed first.

Each response format shall be identified by its MIME type. See AcceptFormats parameter use subclause for more information.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/accept_formats_type.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
@dataclass
class AcceptFormatsType:
    """Prioritized sequence of zero or more GetCapabilities operation response
    formats desired by client, with preferred formats listed first.

    Each response format shall be identified by its MIME type. See
    AcceptFormats parameter use subclause for more information.
    """

    output_format: list[str] = field(
        default_factory=list,
        metadata={
            "name": "OutputFormat",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
            "pattern": r"(application|audio|image|text|video|message|multipart|model)/.+(;\s*.+=.+)*",
        },
    )
output_format = field(default_factory=list, metadata={'name': 'OutputFormat', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1', 'pattern': '(application|audio|image|text|video|message|multipart|model)/.+(;\\s*.+=.+)*'}) class-attribute instance-attribute
__init__(output_format=list())
AcceptVersionsType dataclass

Prioritized sequence of one or more specification versions accepted by client, with preferred versions listed first.

See Version negotiation subclause for more information.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/accept_versions_type.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
@dataclass
class AcceptVersionsType:
    """Prioritized sequence of one or more specification versions accepted by
    client, with preferred versions listed first.

    See Version negotiation subclause for more information.
    """

    version: list[str] = field(
        default_factory=list,
        metadata={
            "name": "Version",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
            "min_occurs": 1,
            "pattern": r"\d+\.\d?\d\.\d?\d",
        },
    )
version = field(default_factory=list, metadata={'name': 'Version', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1', 'min_occurs': 1, 'pattern': '\\d+\\.\\d?\\d\\.\\d?\\d'}) class-attribute instance-attribute
__init__(version=list())
AccessConstraints dataclass

Access constraint applied to assure the protection of privacy or intellectual property, or any other restrictions on retrieving or using data from or otherwise using this server.

The reserved value NONE (case insensitive) shall be used to mean no access constraints are imposed.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/access_constraints.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
@dataclass
class AccessConstraints:
    """Access constraint applied to assure the protection of privacy or
    intellectual property, or any other restrictions on retrieving or using data
    from or otherwise using this server.

    The reserved value NONE (case insensitive) shall be used to mean no
    access constraints are imposed.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/access_constraints.py
16
17
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
AddressType dataclass

Location of the responsible individual or organization.

:ivar delivery_point: Address line for the location. :ivar city: City of the location. :ivar administrative_area: State or province of the location. :ivar postal_code: ZIP or other postal code. :ivar country: Country of the physical address. :ivar electronic_mail_address: Address of the electronic mailbox of the responsible organization or individual.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/address_type.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
@dataclass
class AddressType:
    """
    Location of the responsible individual or organization.

    :ivar delivery_point: Address line for the location.
    :ivar city: City of the location.
    :ivar administrative_area: State or province of the location.
    :ivar postal_code: ZIP or other postal code.
    :ivar country: Country of the physical address.
    :ivar electronic_mail_address: Address of the electronic mailbox of
        the responsible organization or individual.
    """

    delivery_point: list[str] = field(
        default_factory=list,
        metadata={
            "name": "DeliveryPoint",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    city: Optional[str] = field(
        default=None,
        metadata={
            "name": "City",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    administrative_area: Optional[str] = field(
        default=None,
        metadata={
            "name": "AdministrativeArea",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    postal_code: Optional[str] = field(
        default=None,
        metadata={
            "name": "PostalCode",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    country: Optional[str] = field(
        default=None,
        metadata={
            "name": "Country",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    electronic_mail_address: list[str] = field(
        default_factory=list,
        metadata={
            "name": "ElectronicMailAddress",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
administrative_area = field(default=None, metadata={'name': 'AdministrativeArea', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
city = field(default=None, metadata={'name': 'City', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
country = field(default=None, metadata={'name': 'Country', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
delivery_point = field(default_factory=list, metadata={'name': 'DeliveryPoint', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
electronic_mail_address = field(default_factory=list, metadata={'name': 'ElectronicMailAddress', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
postal_code = field(default=None, metadata={'name': 'PostalCode', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(delivery_point=list(), city=None, administrative_area=None, postal_code=None, country=None, electronic_mail_address=list())
AllowedValues dataclass

List of all the valid values and/or ranges of values for this quantity.

For numeric quantities, signed values should be ordered from negative infinity to positive infinity.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/allowed_values.py
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
@dataclass
class AllowedValues:
    """List of all the valid values and/or ranges of values for this quantity.

    For numeric quantities, signed values should be ordered from
    negative infinity to positive infinity.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    value: list[Value] = field(
        default_factory=list,
        metadata={
            "name": "Value",
            "type": "Element",
        },
    )
    range: list[Range] = field(
        default_factory=list,
        metadata={
            "name": "Range",
            "type": "Element",
        },
    )
range = field(default_factory=list, metadata={'name': 'Range', 'type': 'Element'}) class-attribute instance-attribute
value = field(default_factory=list, metadata={'name': 'Value', 'type': 'Element'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/allowed_values.py
17
18
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value=list(), range=list())
AnyValue dataclass

Specifies that any value is allowed for this parameter.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/any_value.py
 6
 7
 8
 9
10
11
12
13
@dataclass
class AnyValue:
    """
    Specifies that any value is allowed for this parameter.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/any_value.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__()
AvailableCrs dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/available_crs.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
@dataclass
class AvailableCrs:
    class Meta:
        name = "AvailableCRS"
        namespace = "http://www.opengis.net/ows/1.1"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/available_crs.py
 8
 9
10
class Meta:
    name = "AvailableCRS"
    namespace = "http://www.opengis.net/ows/1.1"
name = 'AvailableCRS' class-attribute instance-attribute
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
BasicIdentificationType dataclass

Bases: DescriptionType

Basic metadata identifying and describing a set of data.

:ivar identifier: Optional unique identifier or name of this dataset. :ivar metadata: Optional unordered list of additional metadata about this data(set). A list of optional metadata elements for this data identification could be specified in the Implementation Specification for this service.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/basic_identification_type.py
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
@dataclass
class BasicIdentificationType(DescriptionType):
    """
    Basic metadata identifying and describing a set of data.

    :ivar identifier: Optional unique identifier or name of this
        dataset.
    :ivar metadata: Optional unordered list of additional metadata about
        this data(set). A list of optional metadata elements for this
        data identification could be specified in the Implementation
        Specification for this service.
    """

    identifier: Optional[Identifier] = field(
        default=None,
        metadata={
            "name": "Identifier",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    metadata: list[Metadata] = field(
        default_factory=list,
        metadata={
            "name": "Metadata",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
identifier = field(default=None, metadata={'name': 'Identifier', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
metadata = field(default_factory=list, metadata={'name': 'Metadata', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list(), identifier=None, metadata=list())
BoundingBox dataclass

Bases: BoundingBoxType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/bounding_box.py
10
11
12
13
@dataclass
class BoundingBox(BoundingBoxType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/bounding_box.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(lower_corner=list(), upper_corner=list(), crs=None, dimensions=None)
BoundingBoxType dataclass

XML encoded minimum rectangular bounding box (or region) parameter, surrounding all the associated data.

This type is adapted from the EnvelopeType of GML 3.1, with modified contents and documentation for encoding a MINIMUM size box SURROUNDING all associated data.

:ivar lower_corner: Position of the bounding box corner at which the value of each coordinate normally is the algebraic minimum within this bounding box. In some cases, this position is normally displayed at the top, such as the top left for some image coordinates. For more information, see Subclauses 10.2.5 and C.13. :ivar upper_corner: Position of the bounding box corner at which the value of each coordinate normally is the algebraic maximum within this bounding box. In some cases, this position is normally displayed at the bottom, such as the bottom right for some image coordinates. For more information, see Subclauses 10.2.5 and C.13. :ivar crs: Usually references the definition of a CRS, as specified in [OGC Topic 2]. Such a CRS definition can be XML encoded using the gml:CoordinateReferenceSystemType in [GML 3.1]. For well known references, it is not required that a CRS definition exist at the location the URI points to. If no anyURI value is included, the applicable CRS must be either: a) Specified outside the bounding box, but inside a data structure that includes this bounding box, as specified for a specific OWS use of this bounding box type. b) Fixed and specified in the Implementation Specification for a specific OWS use of the bounding box type. :ivar dimensions: The number of dimensions in this CRS (the length of a coordinate sequence in this use of the PositionType). This number is specified by the CRS definition, but can also be specified here.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/bounding_box_type.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
@dataclass
class BoundingBoxType:
    """XML encoded minimum rectangular bounding box (or region) parameter,
    surrounding all the associated data.

    This type is adapted from the EnvelopeType of GML 3.1, with modified
    contents and documentation for encoding a MINIMUM size box
    SURROUNDING all associated data.

    :ivar lower_corner: Position of the bounding box corner at which the
        value of each coordinate normally is the algebraic minimum
        within this bounding box. In some cases, this position is
        normally displayed at the top, such as the top left for some
        image coordinates. For more information, see Subclauses 10.2.5
        and C.13.
    :ivar upper_corner: Position of the bounding box corner at which the
        value of each coordinate normally is the algebraic maximum
        within this bounding box. In some cases, this position is
        normally displayed at the bottom, such as the bottom right for
        some image coordinates. For more information, see Subclauses
        10.2.5 and C.13.
    :ivar crs: Usually references the definition of a CRS, as specified
        in [OGC Topic 2]. Such a CRS definition can be XML encoded using
        the gml:CoordinateReferenceSystemType in [GML 3.1]. For well
        known references, it is not required that a CRS definition exist
        at the location the URI points to. If no anyURI value is
        included, the applicable CRS must be either: a)      Specified
        outside the bounding box, but inside a data structure that
        includes this bounding box, as specified for a specific OWS use
        of this bounding box type. b)      Fixed and specified in the
        Implementation Specification for a specific OWS use of the
        bounding box type.
    :ivar dimensions: The number of dimensions in this CRS (the length
        of a coordinate sequence in this use of the PositionType). This
        number is specified by the CRS definition, but can also be
        specified here.
    """

    lower_corner: list[float] = field(
        default_factory=list,
        metadata={
            "name": "LowerCorner",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
            "tokens": True,
        },
    )
    upper_corner: list[float] = field(
        default_factory=list,
        metadata={
            "name": "UpperCorner",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
            "tokens": True,
        },
    )
    crs: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
    dimensions: Optional[int] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
crs = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
dimensions = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
lower_corner = field(default_factory=list, metadata={'name': 'LowerCorner', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1', 'tokens': True}) class-attribute instance-attribute
upper_corner = field(default_factory=list, metadata={'name': 'UpperCorner', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1', 'tokens': True}) class-attribute instance-attribute
__init__(lower_corner=list(), upper_corner=list(), crs=None, dimensions=None)
CapabilitiesBaseType dataclass

XML encoded GetCapabilities operation response.

This document provides clients with service metadata about a specific service instance, usually including metadata about the tightly-coupled data served. If the server does not implement the updateSequence parameter, the server shall always return the complete Capabilities document, without the updateSequence parameter. When the server implements the updateSequence parameter and the GetCapabilities operation request included the updateSequence parameter with the current value, the server shall return this element with only the "version" and "updateSequence" attributes. Otherwise, all optional elements shall be included or not depending on the actual value of the Contents parameter in the GetCapabilities operation request. This base type shall be extended by each specific OWS to include the additional contents needed.

:ivar service_identification: :ivar service_provider: :ivar operations_metadata: :ivar version: :ivar update_sequence: Service metadata document version, having values that are "increased" whenever any change is made in service metadata document. Values are selected by each server, and are always opaque to clients. When not supported by server, server shall not return this attribute.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/capabilities_base_type.py
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
@dataclass
class CapabilitiesBaseType:
    """XML encoded GetCapabilities operation response.

    This document provides clients with service metadata about a
    specific service instance, usually including metadata about the
    tightly-coupled data served. If the server does not implement the
    updateSequence parameter, the server shall always return the
    complete Capabilities document, without the updateSequence
    parameter. When the server implements the updateSequence parameter
    and the GetCapabilities operation request included the
    updateSequence parameter with the current value, the server shall
    return this element with only the "version" and "updateSequence"
    attributes. Otherwise, all optional elements shall be included or
    not depending on the actual value of the Contents parameter in the
    GetCapabilities operation request. This base type shall be extended
    by each specific OWS to include the additional contents needed.

    :ivar service_identification:
    :ivar service_provider:
    :ivar operations_metadata:
    :ivar version:
    :ivar update_sequence: Service metadata document version, having
        values that are "increased" whenever any change is made in
        service metadata document. Values are selected by each server,
        and are always opaque to clients. When not supported by server,
        server shall not return this attribute.
    """

    service_identification: Optional[ServiceIdentification] = field(
        default=None,
        metadata={
            "name": "ServiceIdentification",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    service_provider: Optional[ServiceProvider] = field(
        default=None,
        metadata={
            "name": "ServiceProvider",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    operations_metadata: Optional[OperationsMetadata] = field(
        default=None,
        metadata={
            "name": "OperationsMetadata",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    version: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
            "pattern": r"\d+\.\d?\d\.\d?\d",
        },
    )
    update_sequence: Optional[str] = field(
        default=None,
        metadata={
            "name": "updateSequence",
            "type": "Attribute",
        },
    )
operations_metadata = field(default=None, metadata={'name': 'OperationsMetadata', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
service_identification = field(default=None, metadata={'name': 'ServiceIdentification', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
service_provider = field(default=None, metadata={'name': 'ServiceProvider', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
update_sequence = field(default=None, metadata={'name': 'updateSequence', 'type': 'Attribute'}) class-attribute instance-attribute
version = field(default=None, metadata={'type': 'Attribute', 'required': True, 'pattern': '\\d+\\.\\d?\\d\\.\\d?\\d'}) class-attribute instance-attribute
__init__(service_identification=None, service_provider=None, operations_metadata=None, version=None, update_sequence=None)
CodeType dataclass

Name or code with an (optional) authority.

If the codeSpace attribute is present, its value shall reference a dictionary, thesaurus, or authority for the name or code, such as the organisation who assigned the value, or the dictionary from which it is taken. Type copied from basicTypes.xsd of GML 3 with documentation edited, for possible use outside the ServiceIdentification section of a service metadata document.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/code_type.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
@dataclass
class CodeType:
    """Name or code with an (optional) authority.

    If the codeSpace attribute is present, its value shall reference a
    dictionary, thesaurus, or authority for the name or code, such as
    the organisation who assigned the value, or the dictionary from
    which it is taken. Type copied from basicTypes.xsd of GML 3 with
    documentation edited, for possible use outside the
    ServiceIdentification section of a service metadata document.
    """

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
    code_space: Optional[str] = field(
        default=None,
        metadata={
            "name": "codeSpace",
            "type": "Attribute",
        },
    )
code_space = field(default=None, metadata={'name': 'codeSpace', 'type': 'Attribute'}) class-attribute instance-attribute
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
__init__(value='', code_space=None)
ContactInfo dataclass

Bases: ContactType

Address of the responsible party.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/contact_info.py
10
11
12
13
14
15
16
17
@dataclass
class ContactInfo(ContactType):
    """
    Address of the responsible party.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/contact_info.py
16
17
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(phone=None, address=None, online_resource=None, hours_of_service=None, contact_instructions=None)
ContactType dataclass

Information required to enable contact with the responsible person and/or organization.

For OWS use in the service metadata document, the optional hoursOfService and contactInstructions elements were retained, as possibly being useful in the ServiceProvider section.

:ivar phone: Telephone numbers at which the organization or individual may be contacted. :ivar address: Physical and email address at which the organization or individual may be contacted. :ivar online_resource: On-line information that can be used to contact the individual or organization. OWS specifics: The xlink:href attribute in the xlink:simpleAttrs attribute group shall be used to reference this resource. Whenever practical, the xlink:href attribute with type anyURI should be a URL from which more contact information can be electronically retrieved. The xlink:title attribute with type "string" can be used to name this set of information. The other attributes in the xlink:simpleAttrs attribute group should not be used. :ivar hours_of_service: Time period (including time zone) when individuals can contact the organization or individual. :ivar contact_instructions: Supplemental instructions on how or when to contact the individual or organization.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/contact_type.py
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
@dataclass
class ContactType:
    """Information required to enable contact with the responsible person and/or
    organization.

    For OWS use in the service metadata document, the optional
    hoursOfService and contactInstructions elements were retained, as
    possibly being useful in the ServiceProvider section.

    :ivar phone: Telephone numbers at which the organization or
        individual may be contacted.
    :ivar address: Physical and email address at which the organization
        or individual may be contacted.
    :ivar online_resource: On-line information that can be used to
        contact the individual or organization. OWS specifics: The
        xlink:href attribute in the xlink:simpleAttrs attribute group
        shall be used to reference this resource. Whenever practical,
        the xlink:href attribute with type anyURI should be a URL from
        which more contact information can be electronically retrieved.
        The xlink:title attribute with type "string" can be used to name
        this set of information. The other attributes in the
        xlink:simpleAttrs attribute group should not be used.
    :ivar hours_of_service: Time period (including time zone) when
        individuals can contact the organization or individual.
    :ivar contact_instructions: Supplemental instructions on how or when
        to contact the individual or organization.
    """

    phone: Optional[TelephoneType] = field(
        default=None,
        metadata={
            "name": "Phone",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    address: Optional[AddressType] = field(
        default=None,
        metadata={
            "name": "Address",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    online_resource: Optional[OnlineResourceType] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    hours_of_service: Optional[str] = field(
        default=None,
        metadata={
            "name": "HoursOfService",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    contact_instructions: Optional[str] = field(
        default=None,
        metadata={
            "name": "ContactInstructions",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
address = field(default=None, metadata={'name': 'Address', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
contact_instructions = field(default=None, metadata={'name': 'ContactInstructions', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
hours_of_service = field(default=None, metadata={'name': 'HoursOfService', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
phone = field(default=None, metadata={'name': 'Phone', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(phone=None, address=None, online_resource=None, hours_of_service=None, contact_instructions=None)
ContentsBaseType dataclass

Contents of typical Contents section of an OWS service metadata (Capabilities) document.

This type shall be extended and/or restricted if needed for specific OWS use to include the specific metadata needed.

:ivar dataset_description_summary: Unordered set of summary descriptions for the datasets available from this OWS server. This set shall be included unless another source is referenced and all this metadata is available from that source. :ivar other_source: Unordered set of references to other sources of metadata describing the coverage offerings available from this server.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/contents_base_type.py
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
@dataclass
class ContentsBaseType:
    """Contents of typical Contents section of an OWS service metadata
    (Capabilities) document.

    This type shall be extended and/or restricted if needed for specific
    OWS use to include the specific metadata needed.

    :ivar dataset_description_summary: Unordered set of summary
        descriptions for the datasets available from this OWS server.
        This set shall be included unless another source is referenced
        and all this metadata is available from that source.
    :ivar other_source: Unordered set of references to other sources of
        metadata describing the coverage offerings available from this
        server.
    """

    dataset_description_summary: list[DatasetDescriptionSummary] = field(
        default_factory=list,
        metadata={
            "name": "DatasetDescriptionSummary",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    other_source: list[OtherSource] = field(
        default_factory=list,
        metadata={
            "name": "OtherSource",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
dataset_description_summary = field(default_factory=list, metadata={'name': 'DatasetDescriptionSummary', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
other_source = field(default_factory=list, metadata={'name': 'OtherSource', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(dataset_description_summary=list(), other_source=list())
DataType dataclass

Bases: DomainMetadataType

Definition of the data type of this set of values.

In this case, the xlink:href attribute can reference a URN for a well-known data type. For example, such a URN could be a data type identification URN defined in the "ogc" URN namespace.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/data_type.py
10
11
12
13
14
15
16
17
18
19
20
@dataclass
class DataType(DomainMetadataType):
    """Definition of the data type of this set of values.

    In this case, the xlink:href attribute can reference a URN for a
    well-known data type. For example, such a URN could be a data type
    identification URN defined in the "ogc" URN namespace.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/data_type.py
19
20
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='', reference=None)
DatasetDescriptionSummary dataclass

Bases: DatasetDescriptionSummaryBaseType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/dataset_description_summary_base_type.py
114
115
116
117
@dataclass
class DatasetDescriptionSummary(DatasetDescriptionSummaryBaseType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/dataset_description_summary_base_type.py
116
117
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list(), wgs84_bounding_box=list(), identifier=None, bounding_box=list(), metadata=list(), dataset_description_summary=list())
DatasetDescriptionSummaryBaseType dataclass

Bases: DescriptionType

Typical dataset metadata in typical Contents section of an OWS service metadata (Capabilities) document.

This type shall be extended and/or restricted if needed for specific OWS use, to include the specific Dataset description metadata needed.

:ivar wgs84_bounding_box: Unordered list of zero or more minimum bounding rectangles surrounding coverage data, using the WGS 84 CRS with decimal degrees and longitude before latitude. If no WGS 84 bounding box is recorded for a coverage, any such bounding boxes recorded for a higher level in a hierarchy of datasets shall apply to this coverage. If WGS 84 bounding box(es) are recorded for a coverage, any such bounding boxes recorded for a higher level in a hierarchy of datasets shall be ignored. For each lowest-level coverage in a hierarchy, at least one applicable WGS84BoundingBox shall be either recorded or inherited, to simplify searching for datasets that might overlap a specified region. If multiple WGS 84 bounding boxes are included, this shall be interpreted as the union of the areas of these bounding boxes. :ivar identifier: Unambiguous identifier or name of this coverage, unique for this server. :ivar bounding_box: Unordered list of zero or more minimum bounding rectangles surrounding coverage data, in AvailableCRSs. Zero or more BoundingBoxes are allowed in addition to one or more WGS84BoundingBoxes to allow more precise specification of the Dataset area in AvailableCRSs. These Bounding Boxes shall not use any CRS not listed as an AvailableCRS. However, an AvailableCRS can be listed without a corresponding Bounding Box. If no such bounding box is recorded for a coverage, any such bounding boxes recorded for a higher level in a hierarchy of datasets shall apply to this coverage. If such bounding box(es) are recorded for a coverage, any such bounding boxes recorded for a higher level in a hierarchy of datasets shall be ignored. If multiple bounding boxes are included with the same CRS, this shall be interpreted as the union of the areas of these bounding boxes. :ivar metadata: Optional unordered list of additional metadata about this dataset. A list of optional metadata elements for this dataset description could be specified in the Implementation Specification for this service. :ivar dataset_description_summary: Metadata describing zero or more unordered subsidiary datasets available from this server.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/dataset_description_summary_base_type.py
 23
 24
 25
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
@dataclass
class DatasetDescriptionSummaryBaseType(DescriptionType):
    """Typical dataset metadata in typical Contents section of an OWS service
    metadata (Capabilities) document.

    This type shall be extended and/or restricted if needed for specific
    OWS use, to include the specific Dataset  description metadata
    needed.

    :ivar wgs84_bounding_box: Unordered list of zero or more minimum
        bounding rectangles surrounding coverage data, using the WGS 84
        CRS with decimal degrees and longitude before latitude. If no
        WGS 84 bounding box is recorded for a coverage, any such
        bounding boxes recorded for a higher level in a hierarchy of
        datasets shall apply to this coverage. If WGS 84 bounding
        box(es) are recorded for a coverage, any such bounding boxes
        recorded for a higher level in a hierarchy of datasets shall be
        ignored. For each lowest-level coverage in a hierarchy, at least
        one applicable WGS84BoundingBox shall be either recorded or
        inherited, to simplify searching for datasets that might overlap
        a specified region. If multiple WGS 84 bounding boxes are
        included, this shall be interpreted as the union of the areas of
        these bounding boxes.
    :ivar identifier: Unambiguous identifier or name of this coverage,
        unique for this server.
    :ivar bounding_box: Unordered list of zero or more minimum bounding
        rectangles surrounding coverage data, in AvailableCRSs.  Zero or
        more BoundingBoxes are  allowed in addition to one or more
        WGS84BoundingBoxes to allow more precise specification of the
        Dataset area in AvailableCRSs. These Bounding Boxes shall not
        use any CRS not listed as an AvailableCRS. However, an
        AvailableCRS can be listed without a corresponding Bounding Box.
        If no such bounding box is recorded for a coverage, any such
        bounding boxes recorded for a higher level in a hierarchy of
        datasets shall apply to this coverage. If such bounding box(es)
        are recorded for a coverage, any such bounding boxes recorded
        for a higher level in a hierarchy of datasets shall be ignored.
        If multiple bounding boxes are included with the same CRS, this
        shall be interpreted as the union of the areas of these bounding
        boxes.
    :ivar metadata: Optional unordered list of additional metadata about
        this dataset. A list of optional metadata elements for this
        dataset description could be specified in the Implementation
        Specification for this service.
    :ivar dataset_description_summary: Metadata describing zero or more
        unordered subsidiary datasets available from this server.
    """

    wgs84_bounding_box: list[Wgs84BoundingBox] = field(
        default_factory=list,
        metadata={
            "name": "WGS84BoundingBox",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    identifier: Optional[CodeType] = field(
        default=None,
        metadata={
            "name": "Identifier",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
            "required": True,
        },
    )
    bounding_box: list[BoundingBox] = field(
        default_factory=list,
        metadata={
            "name": "BoundingBox",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    metadata: list[Metadata] = field(
        default_factory=list,
        metadata={
            "name": "Metadata",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    dataset_description_summary: list["DatasetDescriptionSummary"] = field(
        default_factory=list,
        metadata={
            "name": "DatasetDescriptionSummary",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
bounding_box = field(default_factory=list, metadata={'name': 'BoundingBox', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
dataset_description_summary = field(default_factory=list, metadata={'name': 'DatasetDescriptionSummary', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
identifier = field(default=None, metadata={'name': 'Identifier', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1', 'required': True}) class-attribute instance-attribute
metadata = field(default_factory=list, metadata={'name': 'Metadata', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
wgs84_bounding_box = field(default_factory=list, metadata={'name': 'WGS84BoundingBox', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list(), wgs84_bounding_box=list(), identifier=None, bounding_box=list(), metadata=list(), dataset_description_summary=list())
Dcp dataclass

Information for one distributed Computing Platform (DCP) supported for this operation.

At present, only the HTTP DCP is defined, so this element only includes the HTTP element.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/dcp.py
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
@dataclass
class Dcp:
    """Information for one distributed Computing Platform (DCP) supported for this
    operation.

    At present, only the HTTP DCP is defined, so this element only
    includes the HTTP element.
    """

    class Meta:
        name = "DCP"
        namespace = "http://www.opengis.net/ows/1.1"

    http: Optional[Http] = field(
        default=None,
        metadata={
            "name": "HTTP",
            "type": "Element",
            "required": True,
        },
    )
http = field(default=None, metadata={'name': 'HTTP', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/dcp.py
18
19
20
class Meta:
    name = "DCP"
    namespace = "http://www.opengis.net/ows/1.1"
name = 'DCP' class-attribute instance-attribute
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(http=None)
DefaultValue dataclass

Bases: ValueType

The default value for a quantity for which multiple values are allowed.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/default_value.py
10
11
12
13
14
15
16
17
@dataclass
class DefaultValue(ValueType):
    """
    The default value for a quantity for which multiple values are allowed.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/default_value.py
16
17
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
DescriptionType dataclass

Human-readable descriptive information for the object it is included within.

This type shall be extended if needed for specific OWS use to include additional metadata for each type of information. This type shall not be restricted for a specific OWS to change the multiplicity (or optionality) of some elements. If the xml:lang attribute is not included in a Title, Abstract or Keyword element, then no language is specified for that element unless specified by another means. All Title, Abstract and Keyword elements in the same Description that share the same xml:lang attribute value represent the description of the parent object in that language. Multiple Title or Abstract elements shall not exist in the same Description with the same xml:lang attribute value unless otherwise specified.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/description_type.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
@dataclass
class DescriptionType:
    """Human-readable descriptive information for the object it is included within.

    This type shall be extended if needed for specific OWS use to
    include additional metadata for each type of information. This type
    shall not be restricted for a specific OWS to change the
    multiplicity (or optionality) of some elements. If the xml:lang
    attribute is not included in a Title, Abstract or Keyword element,
    then no language is specified for that element unless specified by
    another means.  All Title, Abstract and Keyword elements in the same
    Description that share the same xml:lang attribute value represent
    the description of the parent object in that language. Multiple
    Title or Abstract elements shall not exist in the same Description
    with the same xml:lang attribute value unless otherwise specified.
    """

    title: list[Title] = field(
        default_factory=list,
        metadata={
            "name": "Title",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    abstract: list[Abstract] = field(
        default_factory=list,
        metadata={
            "name": "Abstract",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    keywords: list[Keywords] = field(
        default_factory=list,
        metadata={
            "name": "Keywords",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
abstract = field(default_factory=list, metadata={'name': 'Abstract', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
keywords = field(default_factory=list, metadata={'name': 'Keywords', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
title = field(default_factory=list, metadata={'name': 'Title', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list())
DomainMetadataType dataclass

References metadata about a quantity, and provides a name for this metadata.

(Informative: This element was simplified from the metaDataProperty element in GML 3.0.)

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/domain_metadata_type.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
@dataclass
class DomainMetadataType:
    """References metadata about a quantity, and provides a name for this metadata.

    (Informative: This element was simplified from the metaDataProperty
    element in GML 3.0.)
    """

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
    reference: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
reference = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
__init__(value='', reference=None)
DomainType dataclass

Bases: UnNamedDomainType

Valid domain (or allowed set of values) of one quantity, with its name or identifier.

:ivar name: Name or identifier of this quantity.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/domain_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
@dataclass
class DomainType(UnNamedDomainType):
    """
    Valid domain (or allowed set of values) of one quantity, with its name or
    identifier.

    :ivar name: Name or identifier of this quantity.
    """

    name: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
name = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
__init__(allowed_values=None, any_value=None, no_values=None, values_reference=None, default_value=None, meaning=None, data_type=None, uom=None, reference_system=None, metadata=list(), name=None)
Exception dataclass

Bases: ExceptionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/exception.py
10
11
12
13
@dataclass
class Exception(ExceptionType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/exception.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(exception_text=list(), exception_code=None, locator=None)
ExceptionReport dataclass

Report message returned to the client that requested any OWS operation when the server detects an error while processing that operation request.

:ivar exception: Unordered list of one or more Exception elements that each describes an error. These Exception elements shall be interpreted by clients as being independent of one another (not hierarchical). :ivar version: Specification version for OWS operation. The string value shall contain one x.y.z "version" value (e.g., "2.1.3"). A version number shall contain three non-negative integers separated by decimal points, in the form "x.y.z". The integers y and z shall not exceed 99. Each version shall be for the Implementation Specification (document) and the associated XML Schemas to which requested operations will conform. An Implementation Specification version normally specifies XML Schemas against which an XML encoded operation response must conform and should be validated. See Version negotiation subclause for more information. :ivar lang: Identifier of the language used by all included exception text values. These language identifiers shall be as specified in IETF RFC 4646. When this attribute is omitted, the language used is not identified.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/exception_report.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
@dataclass
class ExceptionReport:
    """
    Report message returned to the client that requested any OWS operation when the
    server detects an error while processing that operation request.

    :ivar exception: Unordered list of one or more Exception elements
        that each describes an error. These Exception elements shall be
        interpreted by clients as being independent of one another (not
        hierarchical).
    :ivar version: Specification version for OWS operation. The string
        value shall contain one x.y.z "version" value (e.g., "2.1.3"). A
        version number shall contain three non-negative integers
        separated by decimal points, in the form "x.y.z". The integers y
        and z shall not exceed 99. Each version shall be for the
        Implementation Specification (document) and the associated XML
        Schemas to which requested operations will conform. An
        Implementation Specification version normally specifies XML
        Schemas against which an XML encoded operation response must
        conform and should be validated. See Version negotiation
        subclause for more information.
    :ivar lang: Identifier of the language used by all included
        exception text values. These language identifiers shall be as
        specified in IETF RFC 4646. When this attribute is omitted, the
        language used is not identified.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    exception: list[Exception] = field(
        default_factory=list,
        metadata={
            "name": "Exception",
            "type": "Element",
            "min_occurs": 1,
        },
    )
    version: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
            "pattern": r"\d+\.\d?\d\.\d?\d",
        },
    )
    lang: Optional[Union[str, LangValue]] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/XML/1998/namespace",
        },
    )
exception = field(default_factory=list, metadata={'name': 'Exception', 'type': 'Element', 'min_occurs': 1}) class-attribute instance-attribute
lang = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/XML/1998/namespace'}) class-attribute instance-attribute
version = field(default=None, metadata={'type': 'Attribute', 'required': True, 'pattern': '\\d+\\.\\d?\\d\\.\\d?\\d'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/exception_report.py
41
42
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(exception=list(), version=None, lang=None)
ExceptionType dataclass

An Exception element describes one detected error that a server chooses to convey to the client.

:ivar exception_text: Ordered sequence of text strings that describe this specific exception or error. The contents of these strings are left open to definition by each server implementation. A server is strongly encouraged to include at least one ExceptionText value, to provide more information about the detected error than provided by the exceptionCode. When included, multiple ExceptionText values shall provide hierarchical information about one detected error, with the most significant information listed first. :ivar exception_code: A code representing the type of this exception, which shall be selected from a set of exceptionCode values specified for the specific service operation and server. :ivar locator: When included, this locator shall indicate to the client where an exception was encountered in servicing the client's operation request. This locator should be included whenever meaningful information can be provided by the server. The contents of this locator will depend on the specific exceptionCode and OWS service, and shall be specified in the OWS Implementation Specification.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/exception_type.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
@dataclass
class ExceptionType:
    """
    An Exception element describes one detected error that a server chooses to
    convey to the client.

    :ivar exception_text: Ordered sequence of text strings that describe
        this specific exception or error. The contents of these strings
        are left open to definition by each server implementation. A
        server is strongly encouraged to include at least one
        ExceptionText value, to provide more information about the
        detected error than provided by the exceptionCode. When
        included, multiple ExceptionText values shall provide
        hierarchical information about one detected error, with the most
        significant information listed first.
    :ivar exception_code: A code representing the type of this
        exception, which shall be selected from a set of exceptionCode
        values specified for the specific service operation and server.
    :ivar locator: When included, this locator shall indicate to the
        client where an exception was encountered in servicing the
        client's operation request. This locator should be included
        whenever meaningful information can be provided by the server.
        The contents of this locator will depend on the specific
        exceptionCode and OWS service, and shall be specified in the OWS
        Implementation Specification.
    """

    exception_text: list[str] = field(
        default_factory=list,
        metadata={
            "name": "ExceptionText",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    exception_code: Optional[str] = field(
        default=None,
        metadata={
            "name": "exceptionCode",
            "type": "Attribute",
            "required": True,
        },
    )
    locator: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
exception_code = field(default=None, metadata={'name': 'exceptionCode', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
exception_text = field(default_factory=list, metadata={'name': 'ExceptionText', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
locator = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
__init__(exception_text=list(), exception_code=None, locator=None)
ExtendedCapabilities dataclass

Individual software vendors and servers can use this element to provide metadata about any additional server abilities.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/extended_capabilities.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
@dataclass
class ExtendedCapabilities:
    """
    Individual software vendors and servers can use this element to provide
    metadata about any additional server abilities.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    any_element: Optional[object] = field(
        default=None,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
        },
    )
any_element = field(default=None, metadata={'type': 'Wildcard', 'namespace': '##any'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/extended_capabilities.py
14
15
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(any_element=None)
Fees dataclass

Fees and terms for retrieving data from or otherwise using this server, including the monetary units as specified in ISO 4217.

The reserved value NONE (case insensitive) shall be used to mean no fees or terms.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/fees.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
@dataclass
class Fees:
    """Fees and terms for retrieving data from or otherwise using this server,
    including the monetary units as specified in ISO 4217.

    The reserved value NONE (case insensitive) shall be used to mean no
    fees or terms.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/fees.py
15
16
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
GetCapabilities dataclass

Bases: GetCapabilitiesType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/get_capabilities.py
10
11
12
13
@dataclass
class GetCapabilities(GetCapabilitiesType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/get_capabilities.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(accept_versions=None, sections=None, accept_formats=None, update_sequence=None)
GetCapabilitiesType dataclass

XML encoded GetCapabilities operation request.

This operation allows clients to retrieve service metadata about a specific service instance. In this XML encoding, no "request" parameter is included, since the element name specifies the specific operation. This base type shall be extended by each specific OWS to include the additional required "service" attribute, with the correct value for that OWS.

:ivar accept_versions: When omitted, server shall return latest supported version. :ivar sections: When omitted or not supported by server, server shall return complete service metadata (Capabilities) document. :ivar accept_formats: When omitted or not supported by server, server shall return service metadata document using the MIME type "text/xml". :ivar update_sequence: When omitted or not supported by server, server shall return latest complete service metadata document.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/get_capabilities_type.py
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
@dataclass
class GetCapabilitiesType:
    """XML encoded GetCapabilities operation request.

    This operation allows clients to retrieve service metadata about a
    specific service instance. In this XML encoding, no "request"
    parameter is included, since the element name specifies the specific
    operation. This base type shall be extended by each specific OWS to
    include the additional required "service" attribute, with the
    correct value for that OWS.

    :ivar accept_versions: When omitted, server shall return latest
        supported version.
    :ivar sections: When omitted or not supported by server, server
        shall return complete service metadata (Capabilities) document.
    :ivar accept_formats: When omitted or not supported by server,
        server shall return service metadata document using the MIME
        type "text/xml".
    :ivar update_sequence: When omitted or not supported by server,
        server shall return latest complete service metadata document.
    """

    accept_versions: Optional[AcceptVersionsType] = field(
        default=None,
        metadata={
            "name": "AcceptVersions",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    sections: Optional[SectionsType] = field(
        default=None,
        metadata={
            "name": "Sections",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    accept_formats: Optional[AcceptFormatsType] = field(
        default=None,
        metadata={
            "name": "AcceptFormats",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    update_sequence: Optional[str] = field(
        default=None,
        metadata={
            "name": "updateSequence",
            "type": "Attribute",
        },
    )
accept_formats = field(default=None, metadata={'name': 'AcceptFormats', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
accept_versions = field(default=None, metadata={'name': 'AcceptVersions', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
sections = field(default=None, metadata={'name': 'Sections', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
update_sequence = field(default=None, metadata={'name': 'updateSequence', 'type': 'Attribute'}) class-attribute instance-attribute
__init__(accept_versions=None, sections=None, accept_formats=None, update_sequence=None)
GetResourceById dataclass

Bases: GetResourceByIdType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/get_resource_by_id.py
10
11
12
13
14
@dataclass
class GetResourceById(GetResourceByIdType):
    class Meta:
        name = "GetResourceByID"
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/get_resource_by_id.py
12
13
14
class Meta:
    name = "GetResourceByID"
    namespace = "http://www.opengis.net/ows/1.1"
name = 'GetResourceByID' class-attribute instance-attribute
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(resource_id=list(), output_format=None, service=None, version=None)
GetResourceByIdType dataclass

Request to a service to perform the GetResourceByID operation.

This operation allows a client to retrieve one or more identified resources, including datasets and resources that describe datasets or parameters. In this XML encoding, no "request" parameter is included, since the element name specifies the specific operation.

:ivar resource_id: Unordered list of zero or more resource identifiers. These identifiers can be listed in the Contents section of the service metadata (Capabilities) document. For more information on this parameter, see Subclause 9.4.2.1 of the OWS Common specification. :ivar output_format: Optional reference to the data format to be used for response to this operation request. This element shall be included when multiple output formats are available for the selected resource(s), and the client desires a format other than the specified default, if any. :ivar service: :ivar version:

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/get_resource_by_id_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
@dataclass
class GetResourceByIdType:
    """Request to a service to perform the GetResourceByID operation.

    This operation allows a client to retrieve one or more identified
    resources, including datasets and resources that describe datasets
    or parameters. In this XML encoding, no "request" parameter is
    included, since the element name specifies the specific operation.

    :ivar resource_id: Unordered list of zero or more resource
        identifiers. These identifiers can be listed in the Contents
        section of the service metadata (Capabilities) document. For
        more information on this parameter, see Subclause 9.4.2.1 of the
        OWS Common specification.
    :ivar output_format: Optional reference to the data format to be
        used for response to this operation request. This element shall
        be included when multiple output formats are available for the
        selected resource(s), and the client desires a format other than
        the specified default, if any.
    :ivar service:
    :ivar version:
    """

    resource_id: list[str] = field(
        default_factory=list,
        metadata={
            "name": "ResourceID",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    output_format: Optional[OutputFormat] = field(
        default=None,
        metadata={
            "name": "OutputFormat",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    service: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    version: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
            "pattern": r"\d+\.\d?\d\.\d?\d",
        },
    )
output_format = field(default=None, metadata={'name': 'OutputFormat', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
resource_id = field(default_factory=list, metadata={'name': 'ResourceID', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
service = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
version = field(default=None, metadata={'type': 'Attribute', 'required': True, 'pattern': '\\d+\\.\\d?\\d\\.\\d?\\d'}) class-attribute instance-attribute
__init__(resource_id=list(), output_format=None, service=None, version=None)
Http dataclass

Connect point URLs for the HTTP Distributed Computing Platform (DCP).

Normally, only one Get and/or one Post is included in this element. More than one Get and/or Post is allowed to support including alternative URLs for uses such as load balancing or backup.

:ivar get: Connect point URL prefix and any constraints for the HTTP "Get" request method for this operation request. :ivar post: Connect point URL and any constraints for the HTTP "Post" request method for this operation request.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/http.py
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
@dataclass
class Http:
    """Connect point URLs for the HTTP Distributed Computing Platform (DCP).

    Normally, only one Get and/or one Post is included in this element.
    More than one Get and/or Post is allowed to support including
    alternative URLs for uses such as load balancing or backup.

    :ivar get: Connect point URL prefix and any constraints for the HTTP
        "Get" request method for this operation request.
    :ivar post: Connect point URL and any constraints for the HTTP
        "Post" request method for this operation request.
    """

    class Meta:
        name = "HTTP"
        namespace = "http://www.opengis.net/ows/1.1"

    get: list[RequestMethodType] = field(
        default_factory=list,
        metadata={
            "name": "Get",
            "type": "Element",
        },
    )
    post: list[RequestMethodType] = field(
        default_factory=list,
        metadata={
            "name": "Post",
            "type": "Element",
        },
    )
get = field(default_factory=list, metadata={'name': 'Get', 'type': 'Element'}) class-attribute instance-attribute
post = field(default_factory=list, metadata={'name': 'Post', 'type': 'Element'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/http.py
24
25
26
class Meta:
    name = "HTTP"
    namespace = "http://www.opengis.net/ows/1.1"
name = 'HTTP' class-attribute instance-attribute
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(get=list(), post=list())
IdentificationType dataclass

Bases: BasicIdentificationType

Extended metadata identifying and describing a set of data.

This type shall be extended if needed for each specific OWS to include additional metadata for each type of dataset. If needed, this type should first be restricted for each specific OWS to change the multiplicity (or optionality) of some elements.

:ivar wgs84_bounding_box: :ivar bounding_box: Unordered list of zero or more bounding boxes whose union describes the extent of this dataset. :ivar output_format: Unordered list of zero or more references to data formats supported for server outputs. :ivar supported_crs: :ivar available_crs: Unordered list of zero or more available coordinate reference systems.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/identification_type.py
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
@dataclass
class IdentificationType(BasicIdentificationType):
    """Extended metadata identifying and describing a set of data.

    This type shall be extended if needed for each specific OWS to
    include additional metadata for each type of dataset. If needed,
    this type should first be restricted for each specific OWS to change
    the multiplicity (or optionality) of some elements.

    :ivar wgs84_bounding_box:
    :ivar bounding_box: Unordered list of zero or more bounding boxes
        whose union describes the extent of this dataset.
    :ivar output_format: Unordered list of zero or more references to
        data formats supported for server outputs.
    :ivar supported_crs:
    :ivar available_crs: Unordered list of zero or more available
        coordinate reference systems.
    """

    wgs84_bounding_box: list[Wgs84BoundingBox] = field(
        default_factory=list,
        metadata={
            "name": "WGS84BoundingBox",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    bounding_box: list[BoundingBox] = field(
        default_factory=list,
        metadata={
            "name": "BoundingBox",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    output_format: list[OutputFormat] = field(
        default_factory=list,
        metadata={
            "name": "OutputFormat",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    supported_crs: list[SupportedCrs] = field(
        default_factory=list,
        metadata={
            "name": "SupportedCRS",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    available_crs: list[AvailableCrs] = field(
        default_factory=list,
        metadata={
            "name": "AvailableCRS",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
available_crs = field(default_factory=list, metadata={'name': 'AvailableCRS', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
bounding_box = field(default_factory=list, metadata={'name': 'BoundingBox', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
output_format = field(default_factory=list, metadata={'name': 'OutputFormat', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
supported_crs = field(default_factory=list, metadata={'name': 'SupportedCRS', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
wgs84_bounding_box = field(default_factory=list, metadata={'name': 'WGS84BoundingBox', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list(), identifier=None, metadata=list(), wgs84_bounding_box=list(), bounding_box=list(), output_format=list(), supported_crs=list(), available_crs=list())
Identifier dataclass

Bases: CodeType

Unique identifier or name of this dataset.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/identifier.py
10
11
12
13
14
15
16
17
@dataclass
class Identifier(CodeType):
    """
    Unique identifier or name of this dataset.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/identifier.py
16
17
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='', code_space=None)
IndividualName dataclass

Name of the responsible person: surname, given name, title separated by a delimiter.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/individual_name.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
@dataclass
class IndividualName:
    """Name of the responsible person: surname, given name, title separated by a delimiter."""

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/individual_name.py
10
11
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
InputData dataclass

Bases: ManifestType

Input data in a XML-encoded OWS operation request, allowing including multiple data items with each data item either included or referenced.

This InputData element, or an element using the ManifestType with a more-specific element name (TBR), shall be used whenever applicable within XML-encoded OWS operation requests.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/input_data.py
10
11
12
13
14
15
16
17
18
19
20
21
@dataclass
class InputData(ManifestType):
    """Input data in a XML-encoded OWS operation request, allowing including
    multiple data items with each data item either included or referenced.

    This InputData element, or an element using the ManifestType with a
    more-specific element name (TBR), shall be used whenever applicable
    within XML-encoded OWS operation requests.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/input_data.py
20
21
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list(), identifier=None, metadata=list(), reference_group=list())
Keywords dataclass

Bases: KeywordsType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/keywords.py
10
11
12
13
@dataclass
class Keywords(KeywordsType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/keywords.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(keyword=list(), type_value=None)
KeywordsType dataclass

Unordered list of one or more commonly used or formalised word(s) or phrase(s) used to describe the subject.

When needed, the optional "type" can name the type of the associated list of keywords that shall all have the same type. Also when needed, the codeSpace attribute of that "type" can reference the type name authority and/or thesaurus. If the xml:lang attribute is not included in a Keyword element, then no language is specified for that element unless specified by another means. All Keyword elements in the same Keywords element that share the same xml:lang attribute value represent different keywords in that language. For OWS use, the optional thesaurusName element was omitted as being complex information that could be referenced by the codeSpace attribute of the Type element.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/keywords_type.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
@dataclass
class KeywordsType:
    """Unordered list of one or more commonly used or formalised word(s) or
    phrase(s) used to describe the subject.

    When needed, the optional "type" can name the type of the associated
    list of keywords that shall all have the same type. Also when
    needed, the codeSpace attribute of that "type" can reference the
    type name authority and/or thesaurus. If the xml:lang attribute is
    not included in a Keyword element, then no language is specified for
    that element unless specified by another means.  All Keyword
    elements in the same Keywords element that share the same xml:lang
    attribute value represent different keywords in that language. For
    OWS use, the optional thesaurusName element was omitted as being
    complex information that could be referenced by the codeSpace
    attribute of the Type element.
    """

    keyword: list[LanguageStringType] = field(
        default_factory=list,
        metadata={
            "name": "Keyword",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
            "min_occurs": 1,
        },
    )
    type_value: Optional[CodeType] = field(
        default=None,
        metadata={
            "name": "Type",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
keyword = field(default_factory=list, metadata={'name': 'Keyword', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1', 'min_occurs': 1}) class-attribute instance-attribute
type_value = field(default=None, metadata={'name': 'Type', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(keyword=list(), type_value=None)
Language dataclass

Identifier of a language used by the data(set) contents.

This language identifier shall be as specified in IETF RFC 4646. When this element is omitted, the language used is not identified.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/language.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
@dataclass
class Language:
    """Identifier of a language used by the data(set) contents.

    This language identifier shall be as specified in IETF RFC 4646.
    When this element is omitted, the language used is not identified.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/language.py
14
15
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
LanguageStringType dataclass

Text string with the language of the string identified as recommended in the XML 1.0 W3C Recommendation, section 2.12.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/language_string_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
@dataclass
class LanguageStringType:
    """
    Text string with the language of the string identified as recommended in the
    XML 1.0 W3C Recommendation, section 2.12.
    """

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
    lang: Optional[Union[str, LangValue]] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/XML/1998/namespace",
        },
    )
lang = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/XML/1998/namespace'}) class-attribute instance-attribute
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
__init__(value='', lang=None)
Manifest dataclass

Bases: ManifestType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/manifest.py
10
11
12
13
@dataclass
class Manifest(ManifestType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/manifest.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list(), identifier=None, metadata=list(), reference_group=list())
ManifestType dataclass

Bases: BasicIdentificationType

Unordered list of one or more groups of references to remote and/or local resources.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/manifest_type.py
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
@dataclass
class ManifestType(BasicIdentificationType):
    """
    Unordered list of one or more groups of references to remote and/or local
    resources.
    """

    reference_group: list[ReferenceGroup] = field(
        default_factory=list,
        metadata={
            "name": "ReferenceGroup",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
            "min_occurs": 1,
        },
    )
reference_group = field(default_factory=list, metadata={'name': 'ReferenceGroup', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1', 'min_occurs': 1}) class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list(), identifier=None, metadata=list(), reference_group=list())
MaximumValue dataclass

Bases: ValueType

Maximum value of this numeric parameter.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/maximum_value.py
10
11
12
13
14
15
16
17
@dataclass
class MaximumValue(ValueType):
    """
    Maximum value of this numeric parameter.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/maximum_value.py
16
17
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
Meaning dataclass

Bases: DomainMetadataType

Definition of the meaning or semantics of this set of values.

This Meaning can provide more specific, complete, precise, machine accessible, and machine understandable semantics about this quantity, relative to other available semantic information. For example, other semantic information is often provided in "documentation" elements in XML Schemas or "description" elements in GML objects.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/meaning.py
10
11
12
13
14
15
16
17
18
19
20
21
22
23
@dataclass
class Meaning(DomainMetadataType):
    """Definition of the meaning or semantics of this set of values.

    This Meaning can provide more specific, complete, precise, machine
    accessible, and machine understandable semantics about this
    quantity, relative to other available semantic information. For
    example, other semantic information is often provided in
    "documentation" elements in XML Schemas or "description" elements in
    GML objects.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/meaning.py
22
23
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='', reference=None)
Metadata dataclass

Bases: MetadataType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/metadata.py
10
11
12
13
@dataclass
class Metadata(MetadataType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/metadata.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None, about=None)
MetadataType dataclass

This element either references or contains more metadata about the element that includes this element.

To reference metadata stored remotely, at least the xlinks:href attribute in xlink:simpleAttrs shall be included. Either at least one of the attributes in xlink:simpleAttrs or a substitute for the AbstractMetaData element shall be included, but not both. An Implementation Specification can restrict the contents of this element to always be a reference or always contain metadata. (Informative: This element was adapted from the metaDataProperty element in GML 3.0.)

:ivar type_value: :ivar href: :ivar role: :ivar arcrole: :ivar title: :ivar show: :ivar actuate: :ivar about: Optional reference to the aspect of the element which includes this "metadata" element that this metadata provides more information about.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/metadata_type.py
 17
 18
 19
 20
 21
 22
 23
 24
 25
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
@dataclass
class MetadataType:
    """This element either references or contains more metadata about the element
    that includes this element.

    To reference metadata stored remotely, at least the xlinks:href
    attribute in xlink:simpleAttrs shall be included. Either at least
    one of the attributes in xlink:simpleAttrs or a substitute for the
    AbstractMetaData element shall be included, but not both. An
    Implementation Specification can restrict the contents of this
    element to always be a reference or always contain metadata.
    (Informative: This element was adapted from the metaDataProperty
    element in GML 3.0.)

    :ivar type_value:
    :ivar href:
    :ivar role:
    :ivar arcrole:
    :ivar title:
    :ivar show:
    :ivar actuate:
    :ivar about: Optional reference to the aspect of the element which
        includes this "metadata" element that this metadata provides
        more information about.
    """

    type_value: TypeType = field(
        init=False,
        default=TypeType.SIMPLE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    href: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    arcrole: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    show: Optional[ShowType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    actuate: Optional[ActuateType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    about: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
about = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
actuate = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
arcrole = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
href = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
show = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.SIMPLE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None, about=None)
MinimumValue dataclass

Bases: ValueType

Minimum value of this numeric parameter.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/minimum_value.py
10
11
12
13
14
15
16
17
@dataclass
class MinimumValue(ValueType):
    """
    Minimum value of this numeric parameter.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/minimum_value.py
16
17
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
NoValues dataclass

Specifies that no values are allowed for this parameter or quantity.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/no_values.py
 6
 7
 8
 9
10
11
12
13
@dataclass
class NoValues:
    """
    Specifies that no values are allowed for this parameter or quantity.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/no_values.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__()
OnlineResourceType dataclass

Reference to on-line resource from which data can be obtained.

For OWS use in the service metadata document, the CI_OnlineResource class was XML encoded as the attributeGroup "xlink:simpleAttrs", as used in GML.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/online_resource_type.py
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
@dataclass
class OnlineResourceType:
    """Reference to on-line resource from which data can be obtained.

    For OWS use in the service metadata document, the CI_OnlineResource
    class was XML encoded as the attributeGroup "xlink:simpleAttrs", as
    used in GML.
    """

    type_value: TypeType = field(
        init=False,
        default=TypeType.SIMPLE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    href: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    arcrole: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    show: Optional[ShowType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    actuate: Optional[ActuateType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
actuate = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
arcrole = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
href = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
show = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.SIMPLE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None)
Operation dataclass

Metadata for one operation that this server implements.

:ivar dcp: Unordered list of Distributed Computing Platforms (DCPs) supported for this operation. At present, only the HTTP DCP is defined, so this element will appear only once. :ivar parameter: Optional unordered list of parameter domains that each apply to this operation which this server implements. If one of these Parameter elements has the same "name" attribute as a Parameter element in the OperationsMetadata element, this Parameter element shall override the other one for this operation. The list of required and optional parameter domain limitations for this operation shall be specified in the Implementation Specification for this service. :ivar constraint: Optional unordered list of valid domain constraints on non-parameter quantities that each apply to this operation. If one of these Constraint elements has the same "name" attribute as a Constraint element in the OperationsMetadata element, this Constraint element shall override the other one for this operation. The list of required and optional constraints for this operation shall be specified in the Implementation Specification for this service. :ivar metadata: Optional unordered list of additional metadata about this operation and its' implementation. A list of required and optional metadata elements for this operation should be specified in the Implementation Specification for this service. (Informative: This metadata might specify the operation request parameters or provide the XML Schemas for the operation request.) :ivar name: Name or identifier of this operation (request) (for example, GetCapabilities). The list of required and optional operations implemented shall be specified in the Implementation Specification for this service.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/operation.py
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
@dataclass
class Operation:
    """
    Metadata for one operation that this server implements.

    :ivar dcp: Unordered list of Distributed Computing Platforms (DCPs)
        supported for this operation. At present, only the HTTP DCP is
        defined, so this element will appear only once.
    :ivar parameter: Optional unordered list of parameter domains that
        each apply to this operation which this server implements. If
        one of these Parameter elements has the same "name" attribute as
        a Parameter element in the OperationsMetadata element, this
        Parameter element shall override the other one for this
        operation. The list of required and optional parameter domain
        limitations for this operation shall be specified in the
        Implementation Specification for this service.
    :ivar constraint: Optional unordered list of valid domain
        constraints on non-parameter quantities that each apply to this
        operation. If one of these Constraint elements has the same
        "name" attribute as a Constraint element in the
        OperationsMetadata element, this Constraint element shall
        override the other one for this operation. The list of required
        and optional constraints for this operation shall be specified
        in the Implementation Specification for this service.
    :ivar metadata: Optional unordered list of additional metadata about
        this operation and its' implementation. A list of required and
        optional metadata elements for this operation should be
        specified in the Implementation Specification for this service.
        (Informative: This metadata might specify the operation request
        parameters or provide the XML Schemas for the operation
        request.)
    :ivar name: Name or identifier of this operation (request) (for
        example, GetCapabilities). The list of required and optional
        operations implemented shall be specified in the Implementation
        Specification for this service.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    dcp: list[Dcp] = field(
        default_factory=list,
        metadata={
            "name": "DCP",
            "type": "Element",
            "min_occurs": 1,
        },
    )
    parameter: list[DomainType] = field(
        default_factory=list,
        metadata={
            "name": "Parameter",
            "type": "Element",
        },
    )
    constraint: list[DomainType] = field(
        default_factory=list,
        metadata={
            "name": "Constraint",
            "type": "Element",
        },
    )
    metadata: list[Metadata] = field(
        default_factory=list,
        metadata={
            "name": "Metadata",
            "type": "Element",
        },
    )
    name: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
constraint = field(default_factory=list, metadata={'name': 'Constraint', 'type': 'Element'}) class-attribute instance-attribute
dcp = field(default_factory=list, metadata={'name': 'DCP', 'type': 'Element', 'min_occurs': 1}) class-attribute instance-attribute
metadata = field(default_factory=list, metadata={'name': 'Metadata', 'type': 'Element'}) class-attribute instance-attribute
name = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
parameter = field(default_factory=list, metadata={'name': 'Parameter', 'type': 'Element'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/operation.py
52
53
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(dcp=list(), parameter=list(), constraint=list(), metadata=list(), name=None)
OperationResponse dataclass

Bases: ManifestType

Response from an OWS operation, allowing including multiple output data items with each item either included or referenced.

This OperationResponse element, or an element using the ManifestType with a more specific element name, shall be used whenever applicable for responses from OWS operations. This element is specified for use where the ManifestType contents are needed for an operation response, but the Manifest element name is not fully applicable. This element or the ManifestType shall be used instead of using the ows:ReferenceType proposed in OGC 04-105.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/operation_response.py
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
@dataclass
class OperationResponse(ManifestType):
    """Response from an OWS operation, allowing including multiple output data
    items with each item either included or referenced.

    This OperationResponse element, or an element using the ManifestType
    with a more specific element name, shall be used whenever applicable
    for responses from OWS operations. This element is specified for use
    where the ManifestType contents are needed for an operation
    response, but the Manifest element name is not fully applicable.
    This element or the ManifestType shall be used instead of using the
    ows:ReferenceType proposed in OGC 04-105.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/operation_response.py
24
25
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list(), identifier=None, metadata=list(), reference_group=list())
OperationsMetadata dataclass

Metadata about the operations and related abilities specified by this service and implemented by this server, including the URLs for operation requests.

The basic contents of this section shall be the same for all OWS types, but individual services can add elements and/or change the optionality of optional elements.

:ivar operation: Metadata for unordered list of all the (requests for) operations that this server interface implements. The list of required and optional operations implemented shall be specified in the Implementation Specification for this service. :ivar parameter: Optional unordered list of parameter valid domains that each apply to one or more operations which this server interface implements. The list of required and optional parameter domain limitations shall be specified in the Implementation Specification for this service. :ivar constraint: Optional unordered list of valid domain constraints on non-parameter quantities that each apply to this server. The list of required and optional constraints shall be specified in the Implementation Specification for this service. :ivar extended_capabilities:

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/operations_metadata.py
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
@dataclass
class OperationsMetadata:
    """Metadata about the operations and related abilities specified by this
    service and implemented by this server, including the URLs for operation
    requests.

    The basic contents of this section shall be the same for all OWS
    types, but individual services can add elements and/or change the
    optionality of optional elements.

    :ivar operation: Metadata for unordered list of all the (requests
        for) operations that this server interface implements. The list
        of required and optional operations implemented shall be
        specified in the Implementation Specification for this service.
    :ivar parameter: Optional unordered list of parameter valid domains
        that each apply to one or more operations which this server
        interface implements. The list of required and optional
        parameter domain limitations shall be specified in the
        Implementation Specification for this service.
    :ivar constraint: Optional unordered list of valid domain
        constraints on non-parameter quantities that each apply to this
        server. The list of required and optional constraints shall be
        specified in the Implementation Specification for this service.
    :ivar extended_capabilities:
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    operation: list[Operation] = field(
        default_factory=list,
        metadata={
            "name": "Operation",
            "type": "Element",
            "min_occurs": 2,
        },
    )
    parameter: list[DomainType] = field(
        default_factory=list,
        metadata={
            "name": "Parameter",
            "type": "Element",
        },
    )
    constraint: list[DomainType] = field(
        default_factory=list,
        metadata={
            "name": "Constraint",
            "type": "Element",
        },
    )
    extended_capabilities: Optional[ExtendedCapabilities] = field(
        default=None,
        metadata={
            "name": "ExtendedCapabilities",
            "type": "Element",
        },
    )
constraint = field(default_factory=list, metadata={'name': 'Constraint', 'type': 'Element'}) class-attribute instance-attribute
extended_capabilities = field(default=None, metadata={'name': 'ExtendedCapabilities', 'type': 'Element'}) class-attribute instance-attribute
operation = field(default_factory=list, metadata={'name': 'Operation', 'type': 'Element', 'min_occurs': 2}) class-attribute instance-attribute
parameter = field(default_factory=list, metadata={'name': 'Parameter', 'type': 'Element'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/operations_metadata.py
43
44
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(operation=list(), parameter=list(), constraint=list(), extended_capabilities=None)
OrganisationName dataclass

Name of the responsible organization.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/organisation_name.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
@dataclass
class OrganisationName:
    """
    Name of the responsible organization.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/organisation_name.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
OtherSource dataclass

Bases: MetadataType

Reference to a source of metadata describing coverage offerings available from this server.

This parameter can reference a catalogue server from which dataset metadata is available. This ability is expected to be used by servers with thousands or millions of datasets, for which searching a catalogue is more feasible than fetching a long Capabilities XML document. When no DatasetDescriptionSummaries are included, and one or more catalogue servers are referenced, this set of catalogues shall contain current metadata summaries for all the datasets currently available from this OWS server, with the metadata for each such dataset referencing this OWS server.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/other_source.py
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
@dataclass
class OtherSource(MetadataType):
    """Reference to a source of metadata describing  coverage offerings available
    from this server.

    This  parameter can reference a catalogue server from which dataset
    metadata is available. This ability is expected to be used by
    servers with thousands or millions of datasets, for which searching
    a catalogue is more feasible than fetching a long Capabilities XML
    document. When no DatasetDescriptionSummaries are included, and one
    or more catalogue servers are referenced, this set of catalogues
    shall contain current metadata summaries for all the datasets
    currently available from this OWS server, with the metadata for each
    such dataset referencing this OWS server.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/other_source.py
26
27
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None, about=None)
OutputFormat dataclass

Reference to a format in which this data can be encoded and transferred.

More specific parameter names should be used by specific OWS specifications wherever applicable. More than one such parameter can be included for different purposes.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/output_format.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
@dataclass
class OutputFormat:
    """Reference to a format in which this data can be encoded and transferred.

    More specific parameter names should be used by specific OWS
    specifications wherever applicable. More than one such parameter can
    be included for different purposes.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    value: str = field(
        default="",
        metadata={
            "required": True,
            "pattern": r"(application|audio|image|text|video|message|multipart|model)/.+(;\s*.+=.+)*",
        },
    )
value = field(default='', metadata={'required': True, 'pattern': '(application|audio|image|text|video|message|multipart|model)/.+(;\\s*.+=.+)*'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/output_format.py
15
16
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
PointOfContact dataclass

Bases: ResponsiblePartyType

Identification of, and means of communication with, person(s) responsible for the resource(s).

For OWS use in the ServiceProvider section of a service metadata document, the optional organizationName element was removed, since this type is always used with the ProviderName element which provides that information. The optional individualName element was made mandatory, since either the organizationName or individualName element is mandatory. The mandatory "role" element was changed to optional, since no clear use of this information is known in the ServiceProvider section.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/point_of_contact.py
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
@dataclass
class PointOfContact(ResponsiblePartyType):
    """Identification of, and means of communication with, person(s) responsible
    for the resource(s).

    For OWS use in the ServiceProvider section of a service metadata
    document, the optional organizationName element was removed, since
    this type is always used with the ProviderName element which
    provides that information. The optional individualName element was
    made mandatory, since either the organizationName or individualName
    element is mandatory. The mandatory "role" element was changed to
    optional, since no clear use of this information is known in the
    ServiceProvider section.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/point_of_contact.py
25
26
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(individual_name=None, organisation_name=None, position_name=None, contact_info=None, role=None)
PositionName dataclass

Role or position of the responsible person.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/position_name.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
@dataclass
class PositionName:
    """
    Role or position of the responsible person.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/position_name.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
Range dataclass

Bases: RangeType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/range.py
10
11
12
13
@dataclass
class Range(RangeType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/range.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(minimum_value=None, maximum_value=None, spacing=None, range_closure=RangeClosureValue.CLOSED)
RangeClosureValue

Bases: Enum

:cvar CLOSED: The specified minimum and maximum values are included in this range. :cvar OPEN: The specified minimum and maximum values are NOT included in this range. :cvar OPEN_CLOSED: The specified minimum value is NOT included in this range, and the specified maximum value IS included in this range. :cvar CLOSED_OPEN: The specified minimum value IS included in this range, and the specified maximum value is NOT included in this range.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/range_closure_value.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
class RangeClosureValue(Enum):
    """
    :cvar CLOSED: The specified minimum and maximum values are included
        in this range.
    :cvar OPEN: The specified minimum and maximum values are NOT
        included in this range.
    :cvar OPEN_CLOSED: The specified minimum value is NOT included in
        this range, and the specified maximum value IS included in this
        range.
    :cvar CLOSED_OPEN: The specified minimum value IS included in this
        range, and the specified maximum value is NOT included in this
        range.
    """

    CLOSED = "closed"
    OPEN = "open"
    OPEN_CLOSED = "open-closed"
    CLOSED_OPEN = "closed-open"
CLOSED = 'closed' class-attribute instance-attribute
CLOSED_OPEN = 'closed-open' class-attribute instance-attribute
OPEN = 'open' class-attribute instance-attribute
OPEN_CLOSED = 'open-closed' class-attribute instance-attribute
RangeType dataclass

A range of values of a numeric parameter.

This range can be continuous or discrete, defined by a fixed spacing between adjacent valid values. If the MinimumValue or MaximumValue is not included, there is no value limit in that direction. Inclusion of the specified minimum and maximum values in the range shall be defined by the rangeClosure.

:ivar minimum_value: :ivar maximum_value: :ivar spacing: Shall be included when the allowed values are NOT continuous in this range. Shall not be included when the allowed values are continuous in this range. :ivar range_closure: Shall be included unless the default value applies.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/range_type.py
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
@dataclass
class RangeType:
    """A range of values of a numeric parameter.

    This range can be continuous or discrete, defined by a fixed spacing
    between adjacent valid values. If the MinimumValue or MaximumValue
    is not included, there is no value limit in that direction.
    Inclusion of the specified minimum and maximum values in the range
    shall be defined by the rangeClosure.

    :ivar minimum_value:
    :ivar maximum_value:
    :ivar spacing: Shall be included when the allowed values are NOT
        continuous in this range. Shall not be included when the allowed
        values are continuous in this range.
    :ivar range_closure: Shall be included unless the default value
        applies.
    """

    minimum_value: Optional[MinimumValue] = field(
        default=None,
        metadata={
            "name": "MinimumValue",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    maximum_value: Optional[MaximumValue] = field(
        default=None,
        metadata={
            "name": "MaximumValue",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    spacing: Optional[Spacing] = field(
        default=None,
        metadata={
            "name": "Spacing",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    range_closure: RangeClosureValue = field(
        default=RangeClosureValue.CLOSED,
        metadata={
            "name": "rangeClosure",
            "type": "Attribute",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
maximum_value = field(default=None, metadata={'name': 'MaximumValue', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
minimum_value = field(default=None, metadata={'name': 'MinimumValue', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
range_closure = field(default=RangeClosureValue.CLOSED, metadata={'name': 'rangeClosure', 'type': 'Attribute', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
spacing = field(default=None, metadata={'name': 'Spacing', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(minimum_value=None, maximum_value=None, spacing=None, range_closure=RangeClosureValue.CLOSED)
Reference dataclass

Bases: ReferenceType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/reference.py
10
11
12
13
@dataclass
class Reference(ReferenceType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/reference.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None, identifier=None, abstract=list(), format=None, metadata=list())
ReferenceGroup dataclass

Bases: ReferenceGroupType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/reference_group.py
10
11
12
13
@dataclass
class ReferenceGroup(ReferenceGroupType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/reference_group.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list(), identifier=None, metadata=list(), service_reference=list(), reference=list())
ReferenceGroupType dataclass

Bases: BasicIdentificationType

Logical group of one or more references to remote and/or local resources, allowing including metadata about that group.

A Group can be used instead of a Manifest that can only contain one group.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/reference_group_type.py
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
@dataclass
class ReferenceGroupType(BasicIdentificationType):
    """Logical group of one or more references to remote and/or local resources,
    allowing including metadata about that group.

    A Group can be used instead of a Manifest that can only contain one
    group.
    """

    service_reference: list[ServiceReference] = field(
        default_factory=list,
        metadata={
            "name": "ServiceReference",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    reference: list[Reference] = field(
        default_factory=list,
        metadata={
            "name": "Reference",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
reference = field(default_factory=list, metadata={'name': 'Reference', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
service_reference = field(default_factory=list, metadata={'name': 'ServiceReference', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list(), identifier=None, metadata=list(), service_reference=list(), reference=list())
ReferenceSystem dataclass

Bases: DomainMetadataType

Definition of the reference system used by this set of values, including the unit of measure whenever applicable (as is normal).

In this case, the xlink:href attribute can reference a URN for a well-known reference system, such as for a coordinate reference system (CRS). For example, such a URN could be a CRS identification URN defined in the "ogc" URN namespace.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/reference_system.py
10
11
12
13
14
15
16
17
18
19
20
21
22
@dataclass
class ReferenceSystem(DomainMetadataType):
    """Definition of the reference system used by this set of values, including the
    unit of measure whenever applicable (as is normal).

    In this case, the xlink:href attribute can reference a URN for a
    well-known reference system, such as for a coordinate reference
    system (CRS). For example, such a URN could be a CRS identification
    URN defined in the "ogc" URN namespace.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/reference_system.py
21
22
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='', reference=None)
ReferenceType dataclass

Bases: AbstractReferenceBaseType

Complete reference to a remote or local resource, allowing including metadata about that resource.

:ivar identifier: Optional unique identifier of the referenced resource. :ivar abstract: :ivar format: The format of the referenced resource. This element is omitted when the mime type is indicated in the http header of the reference. :ivar metadata: Optional unordered list of additional metadata about this resource. A list of optional metadata elements for this ReferenceType could be specified in the Implementation Specification for each use of this type in a specific OWS.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/reference_type.py
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
@dataclass
class ReferenceType(AbstractReferenceBaseType):
    """
    Complete reference to a remote or local resource, allowing including metadata
    about that resource.

    :ivar identifier: Optional unique identifier of the referenced
        resource.
    :ivar abstract:
    :ivar format: The format of the referenced resource. This element is
        omitted when the mime type is indicated in the http header of
        the reference.
    :ivar metadata: Optional unordered list of additional metadata about
        this resource. A list of optional metadata elements for this
        ReferenceType could be specified in the Implementation
        Specification for each use of this type in a specific OWS.
    """

    identifier: Optional[Identifier] = field(
        default=None,
        metadata={
            "name": "Identifier",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    abstract: list[Abstract] = field(
        default_factory=list,
        metadata={
            "name": "Abstract",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    format: Optional[str] = field(
        default=None,
        metadata={
            "name": "Format",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
            "pattern": r"(application|audio|image|text|video|message|multipart|model)/.+(;\s*.+=.+)*",
        },
    )
    metadata: list[Metadata] = field(
        default_factory=list,
        metadata={
            "name": "Metadata",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
abstract = field(default_factory=list, metadata={'name': 'Abstract', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
format = field(default=None, metadata={'name': 'Format', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1', 'pattern': '(application|audio|image|text|video|message|multipart|model)/.+(;\\s*.+=.+)*'}) class-attribute instance-attribute
identifier = field(default=None, metadata={'name': 'Identifier', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
metadata = field(default_factory=list, metadata={'name': 'Metadata', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None, identifier=None, abstract=list(), format=None, metadata=list())
RequestMethodType dataclass

Bases: OnlineResourceType

Connect point URL and any constraints for this HTTP request method for this operation request.

In the OnlineResourceType, the xlink:href attribute in the xlink:simpleAttrs attribute group shall be used to contain this URL. The other attributes in the xlink:simpleAttrs attribute group should not be used.

:ivar constraint: Optional unordered list of valid domain constraints on non-parameter quantities that each apply to this request method for this operation. If one of these Constraint elements has the same "name" attribute as a Constraint element in the OperationsMetadata or Operation element, this Constraint element shall override the other one for this operation. The list of required and optional constraints for this request method for this operation shall be specified in the Implementation Specification for this service.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/request_method_type.py
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
@dataclass
class RequestMethodType(OnlineResourceType):
    """Connect point URL and any constraints for this HTTP request method for this
    operation request.

    In the OnlineResourceType, the xlink:href attribute in the
    xlink:simpleAttrs attribute group shall be used to contain this URL.
    The other attributes in the xlink:simpleAttrs attribute group should
    not be used.

    :ivar constraint: Optional unordered list of valid domain
        constraints on non-parameter quantities that each apply to this
        request method for this operation. If one of these Constraint
        elements has the same "name" attribute as a Constraint element
        in the OperationsMetadata or Operation element, this Constraint
        element shall override the other one for this operation. The
        list of required and optional constraints for this request
        method for this operation shall be specified in the
        Implementation Specification for this service.
    """

    constraint: list[DomainType] = field(
        default_factory=list,
        metadata={
            "name": "Constraint",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
constraint = field(default_factory=list, metadata={'name': 'Constraint', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None, constraint=list())
Resource dataclass

XML encoded GetResourceByID operation response.

The complexType used by this element shall be specified by each specific OWS.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/resource.py
 6
 7
 8
 9
10
11
12
13
14
15
@dataclass
class Resource:
    """XML encoded GetResourceByID operation response.

    The complexType used by this element shall be specified by each
    specific OWS.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/resource.py
14
15
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__()
ResponsiblePartySubsetType dataclass

Identification of, and means of communication with, person responsible for the server.

For OWS use in the ServiceProvider section of a service metadata document, the optional organizationName element was removed, since this type is always used with the ProviderName element which provides that information. The mandatory "role" element was changed to optional, since no clear use of this information is known in the ServiceProvider section.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/responsible_party_subset_type.py
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
@dataclass
class ResponsiblePartySubsetType:
    """Identification of, and means of communication with, person responsible for
    the server.

    For OWS use in the ServiceProvider section of a service metadata
    document, the optional organizationName element was removed, since
    this type is always used with the ProviderName element which
    provides that information. The mandatory "role" element was changed
    to optional, since no clear use of this information is known in the
    ServiceProvider section.
    """

    individual_name: Optional[IndividualName] = field(
        default=None,
        metadata={
            "name": "IndividualName",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    position_name: Optional[PositionName] = field(
        default=None,
        metadata={
            "name": "PositionName",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    contact_info: Optional[ContactInfo] = field(
        default=None,
        metadata={
            "name": "ContactInfo",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    role: Optional[Role] = field(
        default=None,
        metadata={
            "name": "Role",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
contact_info = field(default=None, metadata={'name': 'ContactInfo', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
individual_name = field(default=None, metadata={'name': 'IndividualName', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
position_name = field(default=None, metadata={'name': 'PositionName', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
role = field(default=None, metadata={'name': 'Role', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(individual_name=None, position_name=None, contact_info=None, role=None)
ResponsiblePartyType dataclass

Identification of, and means of communication with, person responsible for the server.

At least one of IndividualName, OrganisationName, or PositionName shall be included.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/responsible_party_type.py
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
@dataclass
class ResponsiblePartyType:
    """Identification of, and means of communication with, person responsible for
    the server.

    At least one of IndividualName, OrganisationName, or PositionName
    shall be included.
    """

    individual_name: Optional[IndividualName] = field(
        default=None,
        metadata={
            "name": "IndividualName",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    organisation_name: Optional[OrganisationName] = field(
        default=None,
        metadata={
            "name": "OrganisationName",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    position_name: Optional[PositionName] = field(
        default=None,
        metadata={
            "name": "PositionName",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    contact_info: Optional[ContactInfo] = field(
        default=None,
        metadata={
            "name": "ContactInfo",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    role: Optional[Role] = field(
        default=None,
        metadata={
            "name": "Role",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
            "required": True,
        },
    )
contact_info = field(default=None, metadata={'name': 'ContactInfo', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
individual_name = field(default=None, metadata={'name': 'IndividualName', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
organisation_name = field(default=None, metadata={'name': 'OrganisationName', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
position_name = field(default=None, metadata={'name': 'PositionName', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
role = field(default=None, metadata={'name': 'Role', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1', 'required': True}) class-attribute instance-attribute
__init__(individual_name=None, organisation_name=None, position_name=None, contact_info=None, role=None)
Role dataclass

Bases: CodeType

Function performed by the responsible party.

Possible values of this Role shall include the values and the meanings listed in Subclause B.5.5 of ISO 19115:2003.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/role.py
10
11
12
13
14
15
16
17
18
19
@dataclass
class Role(CodeType):
    """Function performed by the responsible party.

    Possible values of this Role shall include the values and the
    meanings listed in Subclause B.5.5 of ISO 19115:2003.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/role.py
18
19
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='', code_space=None)
SectionsType dataclass

Unordered list of zero or more names of requested sections in complete service metadata document.

Each Section value shall contain an allowed section name as specified by each OWS specification. See Sections parameter subclause for more information.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/sections_type.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
@dataclass
class SectionsType:
    """Unordered list of zero or more names of requested sections in complete
    service metadata document.

    Each Section value shall contain an allowed section name as
    specified by each OWS specification. See Sections parameter
    subclause for more information.
    """

    section: list[str] = field(
        default_factory=list,
        metadata={
            "name": "Section",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
section = field(default_factory=list, metadata={'name': 'Section', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(section=list())
ServiceIdentification dataclass

Bases: DescriptionType

General metadata for this specific server.

This XML Schema of this section shall be the same for all OWS.

:ivar service_type: A service type name from a registry of services. For example, the values of the codeSpace URI and name and code string may be "OGC" and "catalogue." This type name is normally used for machine-to-machine communication. :ivar service_type_version: Unordered list of one or more versions of this service type implemented by this server. This information is not adequate for version negotiation, and shall not be used for that purpose. :ivar profile: Unordered list of identifiers of Application Profiles that are implemented by this server. This element should be included for each specified application profile implemented by this server. The identifier value should be specified by each Application Profile. If this element is omitted, no meaning is implied. :ivar fees: If this element is omitted, no meaning is implied. :ivar access_constraints: Unordered list of access constraints applied to assure the protection of privacy or intellectual property, and any other restrictions on retrieving or using data from or otherwise using this server. The reserved value NONE (case insensitive) shall be used to mean no access constraints are imposed. When this element is omitted, no meaning is implied.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/service_identification.py
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
@dataclass
class ServiceIdentification(DescriptionType):
    """General metadata for this specific server.

    This XML Schema of this section shall be the same for all OWS.

    :ivar service_type: A service type name from a registry of services.
        For example, the values of the codeSpace URI and name and code
        string may be "OGC" and "catalogue." This type name is normally
        used for machine-to-machine communication.
    :ivar service_type_version: Unordered list of one or more versions
        of this service type implemented by this server. This
        information is not adequate for version negotiation, and shall
        not be used for that purpose.
    :ivar profile: Unordered list of identifiers of Application Profiles
        that are implemented by this server. This element should be
        included for each specified application profile implemented by
        this server. The identifier value should be specified by each
        Application Profile. If this element is omitted, no meaning is
        implied.
    :ivar fees: If this element is omitted, no meaning is implied.
    :ivar access_constraints: Unordered list of access constraints
        applied to assure the protection of privacy or intellectual
        property, and any other restrictions on retrieving or using data
        from or otherwise using this server. The reserved value NONE
        (case insensitive) shall be used to mean no access constraints
        are imposed. When this element is omitted, no meaning is
        implied.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    service_type: Optional[CodeType] = field(
        default=None,
        metadata={
            "name": "ServiceType",
            "type": "Element",
            "required": True,
        },
    )
    service_type_version: list[str] = field(
        default_factory=list,
        metadata={
            "name": "ServiceTypeVersion",
            "type": "Element",
            "min_occurs": 1,
            "pattern": r"\d+\.\d?\d\.\d?\d",
        },
    )
    profile: list[str] = field(
        default_factory=list,
        metadata={
            "name": "Profile",
            "type": "Element",
        },
    )
    fees: Optional[Fees] = field(
        default=None,
        metadata={
            "name": "Fees",
            "type": "Element",
        },
    )
    access_constraints: list[AccessConstraints] = field(
        default_factory=list,
        metadata={
            "name": "AccessConstraints",
            "type": "Element",
        },
    )
access_constraints = field(default_factory=list, metadata={'name': 'AccessConstraints', 'type': 'Element'}) class-attribute instance-attribute
fees = field(default=None, metadata={'name': 'Fees', 'type': 'Element'}) class-attribute instance-attribute
profile = field(default_factory=list, metadata={'name': 'Profile', 'type': 'Element'}) class-attribute instance-attribute
service_type = field(default=None, metadata={'name': 'ServiceType', 'type': 'Element', 'required': True}) class-attribute instance-attribute
service_type_version = field(default_factory=list, metadata={'name': 'ServiceTypeVersion', 'type': 'Element', 'min_occurs': 1, 'pattern': '\\d+\\.\\d?\\d\\.\\d?\\d'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/service_identification.py
48
49
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list(), service_type=None, service_type_version=list(), profile=list(), fees=None, access_constraints=list())
ServiceProvider dataclass

Metadata about the organization that provides this specific service instance or server.

:ivar provider_name: A unique identifier for the service provider organization. :ivar provider_site: Reference to the most relevant web site of the service provider. :ivar service_contact: Information for contacting the service provider. The OnlineResource element within this ServiceContact element should not be used to reference a web site of the service provider.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/service_provider.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
@dataclass
class ServiceProvider:
    """
    Metadata about the organization that provides this specific service instance or
    server.

    :ivar provider_name: A unique identifier for the service provider
        organization.
    :ivar provider_site: Reference to the most relevant web site of the
        service provider.
    :ivar service_contact: Information for contacting the service
        provider. The OnlineResource element within this ServiceContact
        element should not be used to reference a web site of the
        service provider.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    provider_name: Optional[str] = field(
        default=None,
        metadata={
            "name": "ProviderName",
            "type": "Element",
            "required": True,
        },
    )
    provider_site: Optional[OnlineResourceType] = field(
        default=None,
        metadata={
            "name": "ProviderSite",
            "type": "Element",
        },
    )
    service_contact: Optional[ResponsiblePartySubsetType] = field(
        default=None,
        metadata={
            "name": "ServiceContact",
            "type": "Element",
            "required": True,
        },
    )
provider_name = field(default=None, metadata={'name': 'ProviderName', 'type': 'Element', 'required': True}) class-attribute instance-attribute
provider_site = field(default=None, metadata={'name': 'ProviderSite', 'type': 'Element'}) class-attribute instance-attribute
service_contact = field(default=None, metadata={'name': 'ServiceContact', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/service_provider.py
30
31
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(provider_name=None, provider_site=None, service_contact=None)
ServiceReference dataclass

Bases: ServiceReferenceType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/service_reference.py
10
11
12
13
@dataclass
class ServiceReference(ServiceReferenceType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/service_reference.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None, identifier=None, abstract=list(), format=None, metadata=list(), request_message=None, request_message_reference=None)
ServiceReferenceType dataclass

Bases: ReferenceType

Complete reference to a remote resource that needs to be retrieved from an OWS using an XML-encoded operation request.

This element shall be used, within an InputData or Manifest element that is used for input data, when that input data needs to be retrieved from another web service using a XML-encoded OWS operation request. This element shall not be used for local payload input data or for requesting the resource from a web server using HTTP Get.

:ivar request_message: The XML-encoded operation request message to be sent to request this input data from another web server using HTTP Post. :ivar request_message_reference: Reference to the XML-encoded operation request message to be sent to request this input data from another web server using HTTP Post. The referenced message shall be attached to the same message (using the cid scheme), or be accessible using a URL.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/service_reference_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
@dataclass
class ServiceReferenceType(ReferenceType):
    """Complete reference to a remote resource that needs to be retrieved from an
    OWS using an XML-encoded operation request.

    This element shall be used, within an InputData or Manifest element
    that is used for input data, when that input data needs to be
    retrieved from another web service using a XML-encoded OWS operation
    request. This element shall not be used for local payload input data
    or for requesting the resource from a web server using HTTP Get.

    :ivar request_message: The XML-encoded operation request message to
        be sent to request this input data from another web server using
        HTTP Post.
    :ivar request_message_reference: Reference to the XML-encoded
        operation request message to be sent to request this input data
        from another web server using HTTP Post. The referenced message
        shall be attached to the same message (using the cid scheme), or
        be accessible using a URL.
    """

    request_message: Optional[object] = field(
        default=None,
        metadata={
            "name": "RequestMessage",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    request_message_reference: Optional[str] = field(
        default=None,
        metadata={
            "name": "RequestMessageReference",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
request_message = field(default=None, metadata={'name': 'RequestMessage', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
request_message_reference = field(default=None, metadata={'name': 'RequestMessageReference', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None, identifier=None, abstract=list(), format=None, metadata=list(), request_message=None, request_message_reference=None)
Spacing dataclass

Bases: ValueType

The regular distance or spacing between the allowed values in a range.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/spacing.py
10
11
12
13
14
15
16
17
@dataclass
class Spacing(ValueType):
    """
    The regular distance or spacing between the allowed values in a range.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/spacing.py
16
17
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
SupportedCrs dataclass

Coordinate reference system in which data from this data(set) or resource is available or supported.

More specific parameter names should be used by specific OWS specifications wherever applicable. More than one such parameter can be included for different purposes.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/supported_crs.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
@dataclass
class SupportedCrs:
    """Coordinate reference system in which data from this data(set) or resource is
    available or supported.

    More specific parameter names should be used by specific OWS
    specifications wherever applicable. More than one such parameter can
    be included for different purposes.
    """

    class Meta:
        name = "SupportedCRS"
        namespace = "http://www.opengis.net/ows/1.1"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/supported_crs.py
16
17
18
class Meta:
    name = "SupportedCRS"
    namespace = "http://www.opengis.net/ows/1.1"
name = 'SupportedCRS' class-attribute instance-attribute
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
TelephoneType dataclass

Telephone numbers for contacting the responsible individual or organization.

:ivar voice: Telephone number by which individuals can speak to the responsible organization or individual. :ivar facsimile: Telephone number of a facsimile machine for the responsible organization or individual.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/telephone_type.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
@dataclass
class TelephoneType:
    """
    Telephone numbers for contacting the responsible individual or organization.

    :ivar voice: Telephone number by which individuals can speak to the
        responsible organization or individual.
    :ivar facsimile: Telephone number of a facsimile machine for the
        responsible organization or individual.
    """

    voice: list[str] = field(
        default_factory=list,
        metadata={
            "name": "Voice",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    facsimile: list[str] = field(
        default_factory=list,
        metadata={
            "name": "Facsimile",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
facsimile = field(default_factory=list, metadata={'name': 'Facsimile', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
voice = field(default_factory=list, metadata={'name': 'Voice', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(voice=list(), facsimile=list())
Title dataclass

Bases: LanguageStringType

Title of this resource, normally used for display to a human.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/title.py
10
11
12
13
14
15
16
17
@dataclass
class Title(LanguageStringType):
    """
    Title of this resource, normally used for display to a human.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/title.py
16
17
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='', lang=None)
UnNamedDomainType dataclass

Valid domain (or allowed set of values) of one quantity, with needed metadata but without a quantity name or identifier.

:ivar allowed_values: :ivar any_value: :ivar no_values: :ivar values_reference: :ivar default_value: Optional default value for this quantity, which should be included when this quantity has a default value. :ivar meaning: Meaning metadata should be referenced or included for each quantity. :ivar data_type: This data type metadata should be referenced or included for each quantity. :ivar uom: Identifier of unit of measure of this set of values. Should be included then this set of values has units (and not a more complete reference system). :ivar reference_system: Identifier of reference system used by this set of values. Should be included then this set of values has a reference system (not just units). :ivar metadata: Optional unordered list of other metadata about this quantity. A list of required and optional other metadata elements for this quantity should be specified in the Implementation Specification for this service.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/un_named_domain_type.py
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
@dataclass
class UnNamedDomainType:
    """
    Valid domain (or allowed set of values) of one quantity, with needed metadata
    but without a quantity name or identifier.

    :ivar allowed_values:
    :ivar any_value:
    :ivar no_values:
    :ivar values_reference:
    :ivar default_value: Optional default value for this quantity, which
        should be included when this quantity has a default value.
    :ivar meaning: Meaning metadata should be referenced or included for
        each quantity.
    :ivar data_type: This data type metadata should be referenced or
        included for each quantity.
    :ivar uom: Identifier of unit of measure of this set of values.
        Should be included then this set of values has units (and not a
        more complete reference system).
    :ivar reference_system: Identifier of reference system used by this
        set of values. Should be included then this set of values has a
        reference system (not just units).
    :ivar metadata: Optional unordered list of other metadata about this
        quantity. A list of required and optional other metadata
        elements for this quantity should be specified in the
        Implementation Specification for this service.
    """

    allowed_values: Optional[AllowedValues] = field(
        default=None,
        metadata={
            "name": "AllowedValues",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    any_value: Optional[AnyValue] = field(
        default=None,
        metadata={
            "name": "AnyValue",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    no_values: Optional[NoValues] = field(
        default=None,
        metadata={
            "name": "NoValues",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    values_reference: Optional[ValuesReference] = field(
        default=None,
        metadata={
            "name": "ValuesReference",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    default_value: Optional[DefaultValue] = field(
        default=None,
        metadata={
            "name": "DefaultValue",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    meaning: Optional[Meaning] = field(
        default=None,
        metadata={
            "name": "Meaning",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    data_type: Optional[DataType] = field(
        default=None,
        metadata={
            "name": "DataType",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    uom: Optional[Uom] = field(
        default=None,
        metadata={
            "name": "UOM",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    reference_system: Optional[ReferenceSystem] = field(
        default=None,
        metadata={
            "name": "ReferenceSystem",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    metadata: list[Metadata] = field(
        default_factory=list,
        metadata={
            "name": "Metadata",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
allowed_values = field(default=None, metadata={'name': 'AllowedValues', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
any_value = field(default=None, metadata={'name': 'AnyValue', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
data_type = field(default=None, metadata={'name': 'DataType', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
default_value = field(default=None, metadata={'name': 'DefaultValue', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
meaning = field(default=None, metadata={'name': 'Meaning', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
metadata = field(default_factory=list, metadata={'name': 'Metadata', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
no_values = field(default=None, metadata={'name': 'NoValues', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
reference_system = field(default=None, metadata={'name': 'ReferenceSystem', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
uom = field(default=None, metadata={'name': 'UOM', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
values_reference = field(default=None, metadata={'name': 'ValuesReference', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(allowed_values=None, any_value=None, no_values=None, values_reference=None, default_value=None, meaning=None, data_type=None, uom=None, reference_system=None, metadata=list())
Uom dataclass

Bases: DomainMetadataType

Definition of the unit of measure of this set of values.

In this case, the xlink:href attribute can reference a URN for a well-known unit of measure (uom). For example, such a URN could be a UOM identification URN defined in the "ogc" URN namespace.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/uom.py
10
11
12
13
14
15
16
17
18
19
20
21
@dataclass
class Uom(DomainMetadataType):
    """Definition of the unit of measure of this set of values.

    In this case, the xlink:href attribute can reference a URN for a
    well-known unit of measure (uom). For example, such a URN could be a
    UOM identification URN defined in the "ogc" URN namespace.
    """

    class Meta:
        name = "UOM"
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/uom.py
19
20
21
class Meta:
    name = "UOM"
    namespace = "http://www.opengis.net/ows/1.1"
name = 'UOM' class-attribute instance-attribute
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='', reference=None)
Value dataclass

Bases: ValueType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/value.py
10
11
12
13
@dataclass
class Value(ValueType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/value.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
ValueType dataclass

A single value, encoded as a string.

This type can be used for one value, for a spacing between allowed values, or for the default value of a parameter.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/value_type.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
@dataclass
class ValueType:
    """A single value, encoded as a string.

    This type can be used for one value, for a spacing between allowed
    values, or for the default value of a parameter.
    """

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
__init__(value='')
ValuesReference dataclass

Reference to externally specified list of all the valid values and/or ranges of values for this quantity.

(Informative: This element was simplified from the metaDataProperty element in GML 3.0.)

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/values_reference.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
@dataclass
class ValuesReference:
    """Reference to externally specified list of all the valid values and/or ranges
    of values for this quantity.

    (Informative: This element was simplified from the metaDataProperty
    element in GML 3.0.)
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
    reference: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.opengis.net/ows/1.1",
            "required": True,
        },
    )
reference = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.opengis.net/ows/1.1', 'required': True}) class-attribute instance-attribute
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/values_reference.py
16
17
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='', reference=None)
Wgs84BoundingBox dataclass

Bases: Wgs84BoundingBoxType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/wgs84_bounding_box.py
10
11
12
13
14
@dataclass
class Wgs84BoundingBox(Wgs84BoundingBoxType):
    class Meta:
        name = "WGS84BoundingBox"
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/wgs84_bounding_box.py
12
13
14
class Meta:
    name = "WGS84BoundingBox"
    namespace = "http://www.opengis.net/ows/1.1"
name = 'WGS84BoundingBox' class-attribute instance-attribute
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(lower_corner=list(), upper_corner=list(), crs=None, dimensions=None)
Wgs84BoundingBoxType dataclass

Bases: BoundingBoxType

XML encoded minimum rectangular bounding box (or region) parameter, surrounding all the associated data.

This box is specialized for use with the 2D WGS 84 coordinate reference system with decimal values of longitude and latitude. This type is adapted from the general BoundingBoxType, with modified contents and documentation for use with the 2D WGS 84 coordinate reference system.

:ivar crs: This attribute can be included when considered useful. When included, this attribute shall reference the 2D WGS 84 coordinate reference system with longitude before latitude and decimal values of longitude and latitude. :ivar dimensions: The number of dimensions in this CRS (the length of a coordinate sequence in this use of the PositionType). This number is specified by the CRS definition, but can also be specified here.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/wgs84_bounding_box_type.py
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
@dataclass
class Wgs84BoundingBoxType(BoundingBoxType):
    """XML encoded minimum rectangular bounding box (or region) parameter,
    surrounding all the associated data.

    This box is specialized for use with the 2D WGS 84 coordinate
    reference system with decimal values of longitude and latitude. This
    type is adapted from the general BoundingBoxType, with modified
    contents and documentation for use with the 2D WGS 84 coordinate
    reference system.

    :ivar crs: This attribute can be included when considered useful.
        When included, this attribute shall reference the 2D WGS 84
        coordinate reference system with longitude before latitude and
        decimal values of longitude and latitude.
    :ivar dimensions: The number of dimensions in this CRS (the length
        of a coordinate sequence in this use of the PositionType). This
        number is specified by the CRS definition, but can also be
        specified here.
    """

    class Meta:
        name = "WGS84BoundingBoxType"

    crs: str = field(
        init=False,
        default="urn:ogc:def:crs:OGC:2:84",
        metadata={
            "type": "Attribute",
        },
    )
    dimensions: int = field(
        init=False,
        default=2,
        metadata={
            "type": "Attribute",
        },
    )
crs = field(init=False, default='urn:ogc:def:crs:OGC:2:84', metadata={'type': 'Attribute'}) class-attribute instance-attribute
dimensions = field(init=False, default=2, metadata={'type': 'Attribute'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/wgs84_bounding_box_type.py
31
32
class Meta:
    name = "WGS84BoundingBoxType"
name = 'WGS84BoundingBoxType' class-attribute instance-attribute
__init__(lower_corner=list(), upper_corner=list(), crs=None, dimensions=None)
abstract
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
Abstract dataclass

Bases: LanguageStringType

Brief narrative description of this resource, normally used for display to a human.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/abstract.py
10
11
12
13
14
15
16
17
18
@dataclass
class Abstract(LanguageStringType):
    """
    Brief narrative description of this resource, normally used for display to a
    human.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/abstract.py
17
18
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='', lang=None)
abstract_meta_data
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
AbstractMetaData dataclass

Abstract element containing more metadata about the element that includes the containing "metadata" element.

A specific server implementation, or an Implementation Specification, can define concrete elements in the AbstractMetaData substitution group.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/abstract_meta_data.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
@dataclass
class AbstractMetaData:
    """Abstract element containing more metadata about the element that includes
    the containing "metadata" element.

    A specific server implementation, or an Implementation
    Specification, can define concrete elements in the AbstractMetaData
    substitution group.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/abstract_meta_data.py
16
17
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__()
abstract_reference_base
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
AbstractReferenceBase dataclass

Bases: AbstractReferenceBaseType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/abstract_reference_base.py
10
11
12
13
@dataclass
class AbstractReferenceBase(AbstractReferenceBaseType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/abstract_reference_base.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None)
abstract_reference_base_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
AbstractReferenceBaseType dataclass

Base for a reference to a remote or local resource.

This type contains only a restricted and annotated set of the attributes from the xlink:simpleAttrs attributeGroup.

:ivar type_value: :ivar href: Reference to a remote resource or local payload. A remote resource is typically addressed by a URL. For a local payload (such as a multipart mime message), the xlink:href must start with the prefix cid:. :ivar role: Reference to a resource that describes the role of this reference. When no value is supplied, no particular role value is to be inferred. :ivar arcrole: Although allowed, this attribute is not expected to be useful in this application of xlink:simpleAttrs. :ivar title: Describes the meaning of the referenced resource in a human-readable fashion. :ivar show: Although allowed, this attribute is not expected to be useful in this application of xlink:simpleAttrs. :ivar actuate: Although allowed, this attribute is not expected to be useful in this application of xlink:simpleAttrs.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/abstract_reference_base_type.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
@dataclass
class AbstractReferenceBaseType:
    """Base for a reference to a remote or local resource.

    This type contains only a restricted and annotated set of the
    attributes from the xlink:simpleAttrs attributeGroup.

    :ivar type_value:
    :ivar href: Reference to a remote resource or local payload. A
        remote resource is typically addressed by a URL. For a local
        payload (such as a multipart mime message), the xlink:href must
        start with the prefix cid:.
    :ivar role: Reference to a resource that describes the role of this
        reference. When no value is supplied, no particular role value
        is to be inferred.
    :ivar arcrole: Although allowed, this attribute is not expected to
        be useful in this application of xlink:simpleAttrs.
    :ivar title: Describes the meaning of the referenced resource in a
        human-readable fashion.
    :ivar show: Although allowed, this attribute is not expected to be
        useful in this application of xlink:simpleAttrs.
    :ivar actuate: Although allowed, this attribute is not expected to
        be useful in this application of xlink:simpleAttrs.
    """

    type_value: str = field(
        init=False,
        default="simple",
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    href: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    arcrole: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    show: Optional[ShowType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    actuate: Optional[ActuateType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
actuate = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
arcrole = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
href = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
show = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default='simple', metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None)
accept_formats_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
AcceptFormatsType dataclass

Prioritized sequence of zero or more GetCapabilities operation response formats desired by client, with preferred formats listed first.

Each response format shall be identified by its MIME type. See AcceptFormats parameter use subclause for more information.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/accept_formats_type.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
@dataclass
class AcceptFormatsType:
    """Prioritized sequence of zero or more GetCapabilities operation response
    formats desired by client, with preferred formats listed first.

    Each response format shall be identified by its MIME type. See
    AcceptFormats parameter use subclause for more information.
    """

    output_format: list[str] = field(
        default_factory=list,
        metadata={
            "name": "OutputFormat",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
            "pattern": r"(application|audio|image|text|video|message|multipart|model)/.+(;\s*.+=.+)*",
        },
    )
output_format = field(default_factory=list, metadata={'name': 'OutputFormat', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1', 'pattern': '(application|audio|image|text|video|message|multipart|model)/.+(;\\s*.+=.+)*'}) class-attribute instance-attribute
__init__(output_format=list())
accept_versions_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
AcceptVersionsType dataclass

Prioritized sequence of one or more specification versions accepted by client, with preferred versions listed first.

See Version negotiation subclause for more information.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/accept_versions_type.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
@dataclass
class AcceptVersionsType:
    """Prioritized sequence of one or more specification versions accepted by
    client, with preferred versions listed first.

    See Version negotiation subclause for more information.
    """

    version: list[str] = field(
        default_factory=list,
        metadata={
            "name": "Version",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
            "min_occurs": 1,
            "pattern": r"\d+\.\d?\d\.\d?\d",
        },
    )
version = field(default_factory=list, metadata={'name': 'Version', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1', 'min_occurs': 1, 'pattern': '\\d+\\.\\d?\\d\\.\\d?\\d'}) class-attribute instance-attribute
__init__(version=list())
access_constraints
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
AccessConstraints dataclass

Access constraint applied to assure the protection of privacy or intellectual property, or any other restrictions on retrieving or using data from or otherwise using this server.

The reserved value NONE (case insensitive) shall be used to mean no access constraints are imposed.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/access_constraints.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
@dataclass
class AccessConstraints:
    """Access constraint applied to assure the protection of privacy or
    intellectual property, or any other restrictions on retrieving or using data
    from or otherwise using this server.

    The reserved value NONE (case insensitive) shall be used to mean no
    access constraints are imposed.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/access_constraints.py
16
17
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
address_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
AddressType dataclass

Location of the responsible individual or organization.

:ivar delivery_point: Address line for the location. :ivar city: City of the location. :ivar administrative_area: State or province of the location. :ivar postal_code: ZIP or other postal code. :ivar country: Country of the physical address. :ivar electronic_mail_address: Address of the electronic mailbox of the responsible organization or individual.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/address_type.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
@dataclass
class AddressType:
    """
    Location of the responsible individual or organization.

    :ivar delivery_point: Address line for the location.
    :ivar city: City of the location.
    :ivar administrative_area: State or province of the location.
    :ivar postal_code: ZIP or other postal code.
    :ivar country: Country of the physical address.
    :ivar electronic_mail_address: Address of the electronic mailbox of
        the responsible organization or individual.
    """

    delivery_point: list[str] = field(
        default_factory=list,
        metadata={
            "name": "DeliveryPoint",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    city: Optional[str] = field(
        default=None,
        metadata={
            "name": "City",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    administrative_area: Optional[str] = field(
        default=None,
        metadata={
            "name": "AdministrativeArea",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    postal_code: Optional[str] = field(
        default=None,
        metadata={
            "name": "PostalCode",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    country: Optional[str] = field(
        default=None,
        metadata={
            "name": "Country",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    electronic_mail_address: list[str] = field(
        default_factory=list,
        metadata={
            "name": "ElectronicMailAddress",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
administrative_area = field(default=None, metadata={'name': 'AdministrativeArea', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
city = field(default=None, metadata={'name': 'City', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
country = field(default=None, metadata={'name': 'Country', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
delivery_point = field(default_factory=list, metadata={'name': 'DeliveryPoint', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
electronic_mail_address = field(default_factory=list, metadata={'name': 'ElectronicMailAddress', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
postal_code = field(default=None, metadata={'name': 'PostalCode', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(delivery_point=list(), city=None, administrative_area=None, postal_code=None, country=None, electronic_mail_address=list())
allowed_values
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
AllowedValues dataclass

List of all the valid values and/or ranges of values for this quantity.

For numeric quantities, signed values should be ordered from negative infinity to positive infinity.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/allowed_values.py
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
@dataclass
class AllowedValues:
    """List of all the valid values and/or ranges of values for this quantity.

    For numeric quantities, signed values should be ordered from
    negative infinity to positive infinity.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    value: list[Value] = field(
        default_factory=list,
        metadata={
            "name": "Value",
            "type": "Element",
        },
    )
    range: list[Range] = field(
        default_factory=list,
        metadata={
            "name": "Range",
            "type": "Element",
        },
    )
range = field(default_factory=list, metadata={'name': 'Range', 'type': 'Element'}) class-attribute instance-attribute
value = field(default_factory=list, metadata={'name': 'Value', 'type': 'Element'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/allowed_values.py
17
18
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value=list(), range=list())
any_value
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
AnyValue dataclass

Specifies that any value is allowed for this parameter.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/any_value.py
 6
 7
 8
 9
10
11
12
13
@dataclass
class AnyValue:
    """
    Specifies that any value is allowed for this parameter.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/any_value.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__()
available_crs
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
AvailableCrs dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/available_crs.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
@dataclass
class AvailableCrs:
    class Meta:
        name = "AvailableCRS"
        namespace = "http://www.opengis.net/ows/1.1"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/available_crs.py
 8
 9
10
class Meta:
    name = "AvailableCRS"
    namespace = "http://www.opengis.net/ows/1.1"
name = 'AvailableCRS' class-attribute instance-attribute
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
basic_identification_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
BasicIdentificationType dataclass

Bases: DescriptionType

Basic metadata identifying and describing a set of data.

:ivar identifier: Optional unique identifier or name of this dataset. :ivar metadata: Optional unordered list of additional metadata about this data(set). A list of optional metadata elements for this data identification could be specified in the Implementation Specification for this service.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/basic_identification_type.py
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
@dataclass
class BasicIdentificationType(DescriptionType):
    """
    Basic metadata identifying and describing a set of data.

    :ivar identifier: Optional unique identifier or name of this
        dataset.
    :ivar metadata: Optional unordered list of additional metadata about
        this data(set). A list of optional metadata elements for this
        data identification could be specified in the Implementation
        Specification for this service.
    """

    identifier: Optional[Identifier] = field(
        default=None,
        metadata={
            "name": "Identifier",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    metadata: list[Metadata] = field(
        default_factory=list,
        metadata={
            "name": "Metadata",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
identifier = field(default=None, metadata={'name': 'Identifier', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
metadata = field(default_factory=list, metadata={'name': 'Metadata', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list(), identifier=None, metadata=list())
bounding_box
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
BoundingBox dataclass

Bases: BoundingBoxType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/bounding_box.py
10
11
12
13
@dataclass
class BoundingBox(BoundingBoxType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/bounding_box.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(lower_corner=list(), upper_corner=list(), crs=None, dimensions=None)
bounding_box_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
BoundingBoxType dataclass

XML encoded minimum rectangular bounding box (or region) parameter, surrounding all the associated data.

This type is adapted from the EnvelopeType of GML 3.1, with modified contents and documentation for encoding a MINIMUM size box SURROUNDING all associated data.

:ivar lower_corner: Position of the bounding box corner at which the value of each coordinate normally is the algebraic minimum within this bounding box. In some cases, this position is normally displayed at the top, such as the top left for some image coordinates. For more information, see Subclauses 10.2.5 and C.13. :ivar upper_corner: Position of the bounding box corner at which the value of each coordinate normally is the algebraic maximum within this bounding box. In some cases, this position is normally displayed at the bottom, such as the bottom right for some image coordinates. For more information, see Subclauses 10.2.5 and C.13. :ivar crs: Usually references the definition of a CRS, as specified in [OGC Topic 2]. Such a CRS definition can be XML encoded using the gml:CoordinateReferenceSystemType in [GML 3.1]. For well known references, it is not required that a CRS definition exist at the location the URI points to. If no anyURI value is included, the applicable CRS must be either: a) Specified outside the bounding box, but inside a data structure that includes this bounding box, as specified for a specific OWS use of this bounding box type. b) Fixed and specified in the Implementation Specification for a specific OWS use of the bounding box type. :ivar dimensions: The number of dimensions in this CRS (the length of a coordinate sequence in this use of the PositionType). This number is specified by the CRS definition, but can also be specified here.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/bounding_box_type.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
@dataclass
class BoundingBoxType:
    """XML encoded minimum rectangular bounding box (or region) parameter,
    surrounding all the associated data.

    This type is adapted from the EnvelopeType of GML 3.1, with modified
    contents and documentation for encoding a MINIMUM size box
    SURROUNDING all associated data.

    :ivar lower_corner: Position of the bounding box corner at which the
        value of each coordinate normally is the algebraic minimum
        within this bounding box. In some cases, this position is
        normally displayed at the top, such as the top left for some
        image coordinates. For more information, see Subclauses 10.2.5
        and C.13.
    :ivar upper_corner: Position of the bounding box corner at which the
        value of each coordinate normally is the algebraic maximum
        within this bounding box. In some cases, this position is
        normally displayed at the bottom, such as the bottom right for
        some image coordinates. For more information, see Subclauses
        10.2.5 and C.13.
    :ivar crs: Usually references the definition of a CRS, as specified
        in [OGC Topic 2]. Such a CRS definition can be XML encoded using
        the gml:CoordinateReferenceSystemType in [GML 3.1]. For well
        known references, it is not required that a CRS definition exist
        at the location the URI points to. If no anyURI value is
        included, the applicable CRS must be either: a)      Specified
        outside the bounding box, but inside a data structure that
        includes this bounding box, as specified for a specific OWS use
        of this bounding box type. b)      Fixed and specified in the
        Implementation Specification for a specific OWS use of the
        bounding box type.
    :ivar dimensions: The number of dimensions in this CRS (the length
        of a coordinate sequence in this use of the PositionType). This
        number is specified by the CRS definition, but can also be
        specified here.
    """

    lower_corner: list[float] = field(
        default_factory=list,
        metadata={
            "name": "LowerCorner",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
            "tokens": True,
        },
    )
    upper_corner: list[float] = field(
        default_factory=list,
        metadata={
            "name": "UpperCorner",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
            "tokens": True,
        },
    )
    crs: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
    dimensions: Optional[int] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
crs = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
dimensions = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
lower_corner = field(default_factory=list, metadata={'name': 'LowerCorner', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1', 'tokens': True}) class-attribute instance-attribute
upper_corner = field(default_factory=list, metadata={'name': 'UpperCorner', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1', 'tokens': True}) class-attribute instance-attribute
__init__(lower_corner=list(), upper_corner=list(), crs=None, dimensions=None)
capabilities_base_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
CapabilitiesBaseType dataclass

XML encoded GetCapabilities operation response.

This document provides clients with service metadata about a specific service instance, usually including metadata about the tightly-coupled data served. If the server does not implement the updateSequence parameter, the server shall always return the complete Capabilities document, without the updateSequence parameter. When the server implements the updateSequence parameter and the GetCapabilities operation request included the updateSequence parameter with the current value, the server shall return this element with only the "version" and "updateSequence" attributes. Otherwise, all optional elements shall be included or not depending on the actual value of the Contents parameter in the GetCapabilities operation request. This base type shall be extended by each specific OWS to include the additional contents needed.

:ivar service_identification: :ivar service_provider: :ivar operations_metadata: :ivar version: :ivar update_sequence: Service metadata document version, having values that are "increased" whenever any change is made in service metadata document. Values are selected by each server, and are always opaque to clients. When not supported by server, server shall not return this attribute.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/capabilities_base_type.py
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
@dataclass
class CapabilitiesBaseType:
    """XML encoded GetCapabilities operation response.

    This document provides clients with service metadata about a
    specific service instance, usually including metadata about the
    tightly-coupled data served. If the server does not implement the
    updateSequence parameter, the server shall always return the
    complete Capabilities document, without the updateSequence
    parameter. When the server implements the updateSequence parameter
    and the GetCapabilities operation request included the
    updateSequence parameter with the current value, the server shall
    return this element with only the "version" and "updateSequence"
    attributes. Otherwise, all optional elements shall be included or
    not depending on the actual value of the Contents parameter in the
    GetCapabilities operation request. This base type shall be extended
    by each specific OWS to include the additional contents needed.

    :ivar service_identification:
    :ivar service_provider:
    :ivar operations_metadata:
    :ivar version:
    :ivar update_sequence: Service metadata document version, having
        values that are "increased" whenever any change is made in
        service metadata document. Values are selected by each server,
        and are always opaque to clients. When not supported by server,
        server shall not return this attribute.
    """

    service_identification: Optional[ServiceIdentification] = field(
        default=None,
        metadata={
            "name": "ServiceIdentification",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    service_provider: Optional[ServiceProvider] = field(
        default=None,
        metadata={
            "name": "ServiceProvider",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    operations_metadata: Optional[OperationsMetadata] = field(
        default=None,
        metadata={
            "name": "OperationsMetadata",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    version: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
            "pattern": r"\d+\.\d?\d\.\d?\d",
        },
    )
    update_sequence: Optional[str] = field(
        default=None,
        metadata={
            "name": "updateSequence",
            "type": "Attribute",
        },
    )
operations_metadata = field(default=None, metadata={'name': 'OperationsMetadata', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
service_identification = field(default=None, metadata={'name': 'ServiceIdentification', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
service_provider = field(default=None, metadata={'name': 'ServiceProvider', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
update_sequence = field(default=None, metadata={'name': 'updateSequence', 'type': 'Attribute'}) class-attribute instance-attribute
version = field(default=None, metadata={'type': 'Attribute', 'required': True, 'pattern': '\\d+\\.\\d?\\d\\.\\d?\\d'}) class-attribute instance-attribute
__init__(service_identification=None, service_provider=None, operations_metadata=None, version=None, update_sequence=None)
code_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
CodeType dataclass

Name or code with an (optional) authority.

If the codeSpace attribute is present, its value shall reference a dictionary, thesaurus, or authority for the name or code, such as the organisation who assigned the value, or the dictionary from which it is taken. Type copied from basicTypes.xsd of GML 3 with documentation edited, for possible use outside the ServiceIdentification section of a service metadata document.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/code_type.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
@dataclass
class CodeType:
    """Name or code with an (optional) authority.

    If the codeSpace attribute is present, its value shall reference a
    dictionary, thesaurus, or authority for the name or code, such as
    the organisation who assigned the value, or the dictionary from
    which it is taken. Type copied from basicTypes.xsd of GML 3 with
    documentation edited, for possible use outside the
    ServiceIdentification section of a service metadata document.
    """

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
    code_space: Optional[str] = field(
        default=None,
        metadata={
            "name": "codeSpace",
            "type": "Attribute",
        },
    )
code_space = field(default=None, metadata={'name': 'codeSpace', 'type': 'Attribute'}) class-attribute instance-attribute
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
__init__(value='', code_space=None)
contact_info
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
ContactInfo dataclass

Bases: ContactType

Address of the responsible party.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/contact_info.py
10
11
12
13
14
15
16
17
@dataclass
class ContactInfo(ContactType):
    """
    Address of the responsible party.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/contact_info.py
16
17
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(phone=None, address=None, online_resource=None, hours_of_service=None, contact_instructions=None)
contact_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
ContactType dataclass

Information required to enable contact with the responsible person and/or organization.

For OWS use in the service metadata document, the optional hoursOfService and contactInstructions elements were retained, as possibly being useful in the ServiceProvider section.

:ivar phone: Telephone numbers at which the organization or individual may be contacted. :ivar address: Physical and email address at which the organization or individual may be contacted. :ivar online_resource: On-line information that can be used to contact the individual or organization. OWS specifics: The xlink:href attribute in the xlink:simpleAttrs attribute group shall be used to reference this resource. Whenever practical, the xlink:href attribute with type anyURI should be a URL from which more contact information can be electronically retrieved. The xlink:title attribute with type "string" can be used to name this set of information. The other attributes in the xlink:simpleAttrs attribute group should not be used. :ivar hours_of_service: Time period (including time zone) when individuals can contact the organization or individual. :ivar contact_instructions: Supplemental instructions on how or when to contact the individual or organization.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/contact_type.py
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
@dataclass
class ContactType:
    """Information required to enable contact with the responsible person and/or
    organization.

    For OWS use in the service metadata document, the optional
    hoursOfService and contactInstructions elements were retained, as
    possibly being useful in the ServiceProvider section.

    :ivar phone: Telephone numbers at which the organization or
        individual may be contacted.
    :ivar address: Physical and email address at which the organization
        or individual may be contacted.
    :ivar online_resource: On-line information that can be used to
        contact the individual or organization. OWS specifics: The
        xlink:href attribute in the xlink:simpleAttrs attribute group
        shall be used to reference this resource. Whenever practical,
        the xlink:href attribute with type anyURI should be a URL from
        which more contact information can be electronically retrieved.
        The xlink:title attribute with type "string" can be used to name
        this set of information. The other attributes in the
        xlink:simpleAttrs attribute group should not be used.
    :ivar hours_of_service: Time period (including time zone) when
        individuals can contact the organization or individual.
    :ivar contact_instructions: Supplemental instructions on how or when
        to contact the individual or organization.
    """

    phone: Optional[TelephoneType] = field(
        default=None,
        metadata={
            "name": "Phone",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    address: Optional[AddressType] = field(
        default=None,
        metadata={
            "name": "Address",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    online_resource: Optional[OnlineResourceType] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    hours_of_service: Optional[str] = field(
        default=None,
        metadata={
            "name": "HoursOfService",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    contact_instructions: Optional[str] = field(
        default=None,
        metadata={
            "name": "ContactInstructions",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
address = field(default=None, metadata={'name': 'Address', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
contact_instructions = field(default=None, metadata={'name': 'ContactInstructions', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
hours_of_service = field(default=None, metadata={'name': 'HoursOfService', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
phone = field(default=None, metadata={'name': 'Phone', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(phone=None, address=None, online_resource=None, hours_of_service=None, contact_instructions=None)
contents_base_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
ContentsBaseType dataclass

Contents of typical Contents section of an OWS service metadata (Capabilities) document.

This type shall be extended and/or restricted if needed for specific OWS use to include the specific metadata needed.

:ivar dataset_description_summary: Unordered set of summary descriptions for the datasets available from this OWS server. This set shall be included unless another source is referenced and all this metadata is available from that source. :ivar other_source: Unordered set of references to other sources of metadata describing the coverage offerings available from this server.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/contents_base_type.py
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
@dataclass
class ContentsBaseType:
    """Contents of typical Contents section of an OWS service metadata
    (Capabilities) document.

    This type shall be extended and/or restricted if needed for specific
    OWS use to include the specific metadata needed.

    :ivar dataset_description_summary: Unordered set of summary
        descriptions for the datasets available from this OWS server.
        This set shall be included unless another source is referenced
        and all this metadata is available from that source.
    :ivar other_source: Unordered set of references to other sources of
        metadata describing the coverage offerings available from this
        server.
    """

    dataset_description_summary: list[DatasetDescriptionSummary] = field(
        default_factory=list,
        metadata={
            "name": "DatasetDescriptionSummary",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    other_source: list[OtherSource] = field(
        default_factory=list,
        metadata={
            "name": "OtherSource",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
dataset_description_summary = field(default_factory=list, metadata={'name': 'DatasetDescriptionSummary', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
other_source = field(default_factory=list, metadata={'name': 'OtherSource', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(dataset_description_summary=list(), other_source=list())
data_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
DataType dataclass

Bases: DomainMetadataType

Definition of the data type of this set of values.

In this case, the xlink:href attribute can reference a URN for a well-known data type. For example, such a URN could be a data type identification URN defined in the "ogc" URN namespace.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/data_type.py
10
11
12
13
14
15
16
17
18
19
20
@dataclass
class DataType(DomainMetadataType):
    """Definition of the data type of this set of values.

    In this case, the xlink:href attribute can reference a URN for a
    well-known data type. For example, such a URN could be a data type
    identification URN defined in the "ogc" URN namespace.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/data_type.py
19
20
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='', reference=None)
dataset_description_summary_base_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
DatasetDescriptionSummary dataclass

Bases: DatasetDescriptionSummaryBaseType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/dataset_description_summary_base_type.py
114
115
116
117
@dataclass
class DatasetDescriptionSummary(DatasetDescriptionSummaryBaseType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/dataset_description_summary_base_type.py
116
117
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list(), wgs84_bounding_box=list(), identifier=None, bounding_box=list(), metadata=list(), dataset_description_summary=list())
DatasetDescriptionSummaryBaseType dataclass

Bases: DescriptionType

Typical dataset metadata in typical Contents section of an OWS service metadata (Capabilities) document.

This type shall be extended and/or restricted if needed for specific OWS use, to include the specific Dataset description metadata needed.

:ivar wgs84_bounding_box: Unordered list of zero or more minimum bounding rectangles surrounding coverage data, using the WGS 84 CRS with decimal degrees and longitude before latitude. If no WGS 84 bounding box is recorded for a coverage, any such bounding boxes recorded for a higher level in a hierarchy of datasets shall apply to this coverage. If WGS 84 bounding box(es) are recorded for a coverage, any such bounding boxes recorded for a higher level in a hierarchy of datasets shall be ignored. For each lowest-level coverage in a hierarchy, at least one applicable WGS84BoundingBox shall be either recorded or inherited, to simplify searching for datasets that might overlap a specified region. If multiple WGS 84 bounding boxes are included, this shall be interpreted as the union of the areas of these bounding boxes. :ivar identifier: Unambiguous identifier or name of this coverage, unique for this server. :ivar bounding_box: Unordered list of zero or more minimum bounding rectangles surrounding coverage data, in AvailableCRSs. Zero or more BoundingBoxes are allowed in addition to one or more WGS84BoundingBoxes to allow more precise specification of the Dataset area in AvailableCRSs. These Bounding Boxes shall not use any CRS not listed as an AvailableCRS. However, an AvailableCRS can be listed without a corresponding Bounding Box. If no such bounding box is recorded for a coverage, any such bounding boxes recorded for a higher level in a hierarchy of datasets shall apply to this coverage. If such bounding box(es) are recorded for a coverage, any such bounding boxes recorded for a higher level in a hierarchy of datasets shall be ignored. If multiple bounding boxes are included with the same CRS, this shall be interpreted as the union of the areas of these bounding boxes. :ivar metadata: Optional unordered list of additional metadata about this dataset. A list of optional metadata elements for this dataset description could be specified in the Implementation Specification for this service. :ivar dataset_description_summary: Metadata describing zero or more unordered subsidiary datasets available from this server.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/dataset_description_summary_base_type.py
 23
 24
 25
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
@dataclass
class DatasetDescriptionSummaryBaseType(DescriptionType):
    """Typical dataset metadata in typical Contents section of an OWS service
    metadata (Capabilities) document.

    This type shall be extended and/or restricted if needed for specific
    OWS use, to include the specific Dataset  description metadata
    needed.

    :ivar wgs84_bounding_box: Unordered list of zero or more minimum
        bounding rectangles surrounding coverage data, using the WGS 84
        CRS with decimal degrees and longitude before latitude. If no
        WGS 84 bounding box is recorded for a coverage, any such
        bounding boxes recorded for a higher level in a hierarchy of
        datasets shall apply to this coverage. If WGS 84 bounding
        box(es) are recorded for a coverage, any such bounding boxes
        recorded for a higher level in a hierarchy of datasets shall be
        ignored. For each lowest-level coverage in a hierarchy, at least
        one applicable WGS84BoundingBox shall be either recorded or
        inherited, to simplify searching for datasets that might overlap
        a specified region. If multiple WGS 84 bounding boxes are
        included, this shall be interpreted as the union of the areas of
        these bounding boxes.
    :ivar identifier: Unambiguous identifier or name of this coverage,
        unique for this server.
    :ivar bounding_box: Unordered list of zero or more minimum bounding
        rectangles surrounding coverage data, in AvailableCRSs.  Zero or
        more BoundingBoxes are  allowed in addition to one or more
        WGS84BoundingBoxes to allow more precise specification of the
        Dataset area in AvailableCRSs. These Bounding Boxes shall not
        use any CRS not listed as an AvailableCRS. However, an
        AvailableCRS can be listed without a corresponding Bounding Box.
        If no such bounding box is recorded for a coverage, any such
        bounding boxes recorded for a higher level in a hierarchy of
        datasets shall apply to this coverage. If such bounding box(es)
        are recorded for a coverage, any such bounding boxes recorded
        for a higher level in a hierarchy of datasets shall be ignored.
        If multiple bounding boxes are included with the same CRS, this
        shall be interpreted as the union of the areas of these bounding
        boxes.
    :ivar metadata: Optional unordered list of additional metadata about
        this dataset. A list of optional metadata elements for this
        dataset description could be specified in the Implementation
        Specification for this service.
    :ivar dataset_description_summary: Metadata describing zero or more
        unordered subsidiary datasets available from this server.
    """

    wgs84_bounding_box: list[Wgs84BoundingBox] = field(
        default_factory=list,
        metadata={
            "name": "WGS84BoundingBox",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    identifier: Optional[CodeType] = field(
        default=None,
        metadata={
            "name": "Identifier",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
            "required": True,
        },
    )
    bounding_box: list[BoundingBox] = field(
        default_factory=list,
        metadata={
            "name": "BoundingBox",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    metadata: list[Metadata] = field(
        default_factory=list,
        metadata={
            "name": "Metadata",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    dataset_description_summary: list["DatasetDescriptionSummary"] = field(
        default_factory=list,
        metadata={
            "name": "DatasetDescriptionSummary",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
bounding_box = field(default_factory=list, metadata={'name': 'BoundingBox', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
dataset_description_summary = field(default_factory=list, metadata={'name': 'DatasetDescriptionSummary', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
identifier = field(default=None, metadata={'name': 'Identifier', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1', 'required': True}) class-attribute instance-attribute
metadata = field(default_factory=list, metadata={'name': 'Metadata', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
wgs84_bounding_box = field(default_factory=list, metadata={'name': 'WGS84BoundingBox', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list(), wgs84_bounding_box=list(), identifier=None, bounding_box=list(), metadata=list(), dataset_description_summary=list())
dcp
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
Dcp dataclass

Information for one distributed Computing Platform (DCP) supported for this operation.

At present, only the HTTP DCP is defined, so this element only includes the HTTP element.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/dcp.py
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
@dataclass
class Dcp:
    """Information for one distributed Computing Platform (DCP) supported for this
    operation.

    At present, only the HTTP DCP is defined, so this element only
    includes the HTTP element.
    """

    class Meta:
        name = "DCP"
        namespace = "http://www.opengis.net/ows/1.1"

    http: Optional[Http] = field(
        default=None,
        metadata={
            "name": "HTTP",
            "type": "Element",
            "required": True,
        },
    )
http = field(default=None, metadata={'name': 'HTTP', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/dcp.py
18
19
20
class Meta:
    name = "DCP"
    namespace = "http://www.opengis.net/ows/1.1"
name = 'DCP' class-attribute instance-attribute
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(http=None)
default_value
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
DefaultValue dataclass

Bases: ValueType

The default value for a quantity for which multiple values are allowed.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/default_value.py
10
11
12
13
14
15
16
17
@dataclass
class DefaultValue(ValueType):
    """
    The default value for a quantity for which multiple values are allowed.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/default_value.py
16
17
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
description_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
DescriptionType dataclass

Human-readable descriptive information for the object it is included within.

This type shall be extended if needed for specific OWS use to include additional metadata for each type of information. This type shall not be restricted for a specific OWS to change the multiplicity (or optionality) of some elements. If the xml:lang attribute is not included in a Title, Abstract or Keyword element, then no language is specified for that element unless specified by another means. All Title, Abstract and Keyword elements in the same Description that share the same xml:lang attribute value represent the description of the parent object in that language. Multiple Title or Abstract elements shall not exist in the same Description with the same xml:lang attribute value unless otherwise specified.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/description_type.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
@dataclass
class DescriptionType:
    """Human-readable descriptive information for the object it is included within.

    This type shall be extended if needed for specific OWS use to
    include additional metadata for each type of information. This type
    shall not be restricted for a specific OWS to change the
    multiplicity (or optionality) of some elements. If the xml:lang
    attribute is not included in a Title, Abstract or Keyword element,
    then no language is specified for that element unless specified by
    another means.  All Title, Abstract and Keyword elements in the same
    Description that share the same xml:lang attribute value represent
    the description of the parent object in that language. Multiple
    Title or Abstract elements shall not exist in the same Description
    with the same xml:lang attribute value unless otherwise specified.
    """

    title: list[Title] = field(
        default_factory=list,
        metadata={
            "name": "Title",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    abstract: list[Abstract] = field(
        default_factory=list,
        metadata={
            "name": "Abstract",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    keywords: list[Keywords] = field(
        default_factory=list,
        metadata={
            "name": "Keywords",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
abstract = field(default_factory=list, metadata={'name': 'Abstract', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
keywords = field(default_factory=list, metadata={'name': 'Keywords', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
title = field(default_factory=list, metadata={'name': 'Title', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list())
domain_metadata_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
DomainMetadataType dataclass

References metadata about a quantity, and provides a name for this metadata.

(Informative: This element was simplified from the metaDataProperty element in GML 3.0.)

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/domain_metadata_type.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
@dataclass
class DomainMetadataType:
    """References metadata about a quantity, and provides a name for this metadata.

    (Informative: This element was simplified from the metaDataProperty
    element in GML 3.0.)
    """

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
    reference: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
reference = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
__init__(value='', reference=None)
domain_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
DomainType dataclass

Bases: UnNamedDomainType

Valid domain (or allowed set of values) of one quantity, with its name or identifier.

:ivar name: Name or identifier of this quantity.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/domain_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
@dataclass
class DomainType(UnNamedDomainType):
    """
    Valid domain (or allowed set of values) of one quantity, with its name or
    identifier.

    :ivar name: Name or identifier of this quantity.
    """

    name: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
name = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
__init__(allowed_values=None, any_value=None, no_values=None, values_reference=None, default_value=None, meaning=None, data_type=None, uom=None, reference_system=None, metadata=list(), name=None)
exception
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
Exception dataclass

Bases: ExceptionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/exception.py
10
11
12
13
@dataclass
class Exception(ExceptionType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/exception.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(exception_text=list(), exception_code=None, locator=None)
exception_report
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
ExceptionReport dataclass

Report message returned to the client that requested any OWS operation when the server detects an error while processing that operation request.

:ivar exception: Unordered list of one or more Exception elements that each describes an error. These Exception elements shall be interpreted by clients as being independent of one another (not hierarchical). :ivar version: Specification version for OWS operation. The string value shall contain one x.y.z "version" value (e.g., "2.1.3"). A version number shall contain three non-negative integers separated by decimal points, in the form "x.y.z". The integers y and z shall not exceed 99. Each version shall be for the Implementation Specification (document) and the associated XML Schemas to which requested operations will conform. An Implementation Specification version normally specifies XML Schemas against which an XML encoded operation response must conform and should be validated. See Version negotiation subclause for more information. :ivar lang: Identifier of the language used by all included exception text values. These language identifiers shall be as specified in IETF RFC 4646. When this attribute is omitted, the language used is not identified.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/exception_report.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
@dataclass
class ExceptionReport:
    """
    Report message returned to the client that requested any OWS operation when the
    server detects an error while processing that operation request.

    :ivar exception: Unordered list of one or more Exception elements
        that each describes an error. These Exception elements shall be
        interpreted by clients as being independent of one another (not
        hierarchical).
    :ivar version: Specification version for OWS operation. The string
        value shall contain one x.y.z "version" value (e.g., "2.1.3"). A
        version number shall contain three non-negative integers
        separated by decimal points, in the form "x.y.z". The integers y
        and z shall not exceed 99. Each version shall be for the
        Implementation Specification (document) and the associated XML
        Schemas to which requested operations will conform. An
        Implementation Specification version normally specifies XML
        Schemas against which an XML encoded operation response must
        conform and should be validated. See Version negotiation
        subclause for more information.
    :ivar lang: Identifier of the language used by all included
        exception text values. These language identifiers shall be as
        specified in IETF RFC 4646. When this attribute is omitted, the
        language used is not identified.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    exception: list[Exception] = field(
        default_factory=list,
        metadata={
            "name": "Exception",
            "type": "Element",
            "min_occurs": 1,
        },
    )
    version: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
            "pattern": r"\d+\.\d?\d\.\d?\d",
        },
    )
    lang: Optional[Union[str, LangValue]] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/XML/1998/namespace",
        },
    )
exception = field(default_factory=list, metadata={'name': 'Exception', 'type': 'Element', 'min_occurs': 1}) class-attribute instance-attribute
lang = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/XML/1998/namespace'}) class-attribute instance-attribute
version = field(default=None, metadata={'type': 'Attribute', 'required': True, 'pattern': '\\d+\\.\\d?\\d\\.\\d?\\d'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/exception_report.py
41
42
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(exception=list(), version=None, lang=None)
exception_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
ExceptionType dataclass

An Exception element describes one detected error that a server chooses to convey to the client.

:ivar exception_text: Ordered sequence of text strings that describe this specific exception or error. The contents of these strings are left open to definition by each server implementation. A server is strongly encouraged to include at least one ExceptionText value, to provide more information about the detected error than provided by the exceptionCode. When included, multiple ExceptionText values shall provide hierarchical information about one detected error, with the most significant information listed first. :ivar exception_code: A code representing the type of this exception, which shall be selected from a set of exceptionCode values specified for the specific service operation and server. :ivar locator: When included, this locator shall indicate to the client where an exception was encountered in servicing the client's operation request. This locator should be included whenever meaningful information can be provided by the server. The contents of this locator will depend on the specific exceptionCode and OWS service, and shall be specified in the OWS Implementation Specification.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/exception_type.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
@dataclass
class ExceptionType:
    """
    An Exception element describes one detected error that a server chooses to
    convey to the client.

    :ivar exception_text: Ordered sequence of text strings that describe
        this specific exception or error. The contents of these strings
        are left open to definition by each server implementation. A
        server is strongly encouraged to include at least one
        ExceptionText value, to provide more information about the
        detected error than provided by the exceptionCode. When
        included, multiple ExceptionText values shall provide
        hierarchical information about one detected error, with the most
        significant information listed first.
    :ivar exception_code: A code representing the type of this
        exception, which shall be selected from a set of exceptionCode
        values specified for the specific service operation and server.
    :ivar locator: When included, this locator shall indicate to the
        client where an exception was encountered in servicing the
        client's operation request. This locator should be included
        whenever meaningful information can be provided by the server.
        The contents of this locator will depend on the specific
        exceptionCode and OWS service, and shall be specified in the OWS
        Implementation Specification.
    """

    exception_text: list[str] = field(
        default_factory=list,
        metadata={
            "name": "ExceptionText",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    exception_code: Optional[str] = field(
        default=None,
        metadata={
            "name": "exceptionCode",
            "type": "Attribute",
            "required": True,
        },
    )
    locator: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
exception_code = field(default=None, metadata={'name': 'exceptionCode', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
exception_text = field(default_factory=list, metadata={'name': 'ExceptionText', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
locator = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
__init__(exception_text=list(), exception_code=None, locator=None)
extended_capabilities
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
ExtendedCapabilities dataclass

Individual software vendors and servers can use this element to provide metadata about any additional server abilities.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/extended_capabilities.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
@dataclass
class ExtendedCapabilities:
    """
    Individual software vendors and servers can use this element to provide
    metadata about any additional server abilities.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    any_element: Optional[object] = field(
        default=None,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
        },
    )
any_element = field(default=None, metadata={'type': 'Wildcard', 'namespace': '##any'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/extended_capabilities.py
14
15
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(any_element=None)
fees
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
Fees dataclass

Fees and terms for retrieving data from or otherwise using this server, including the monetary units as specified in ISO 4217.

The reserved value NONE (case insensitive) shall be used to mean no fees or terms.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/fees.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
@dataclass
class Fees:
    """Fees and terms for retrieving data from or otherwise using this server,
    including the monetary units as specified in ISO 4217.

    The reserved value NONE (case insensitive) shall be used to mean no
    fees or terms.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/fees.py
15
16
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
get_capabilities
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
GetCapabilities dataclass

Bases: GetCapabilitiesType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/get_capabilities.py
10
11
12
13
@dataclass
class GetCapabilities(GetCapabilitiesType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/get_capabilities.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(accept_versions=None, sections=None, accept_formats=None, update_sequence=None)
get_capabilities_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
GetCapabilitiesType dataclass

XML encoded GetCapabilities operation request.

This operation allows clients to retrieve service metadata about a specific service instance. In this XML encoding, no "request" parameter is included, since the element name specifies the specific operation. This base type shall be extended by each specific OWS to include the additional required "service" attribute, with the correct value for that OWS.

:ivar accept_versions: When omitted, server shall return latest supported version. :ivar sections: When omitted or not supported by server, server shall return complete service metadata (Capabilities) document. :ivar accept_formats: When omitted or not supported by server, server shall return service metadata document using the MIME type "text/xml". :ivar update_sequence: When omitted or not supported by server, server shall return latest complete service metadata document.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/get_capabilities_type.py
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
@dataclass
class GetCapabilitiesType:
    """XML encoded GetCapabilities operation request.

    This operation allows clients to retrieve service metadata about a
    specific service instance. In this XML encoding, no "request"
    parameter is included, since the element name specifies the specific
    operation. This base type shall be extended by each specific OWS to
    include the additional required "service" attribute, with the
    correct value for that OWS.

    :ivar accept_versions: When omitted, server shall return latest
        supported version.
    :ivar sections: When omitted or not supported by server, server
        shall return complete service metadata (Capabilities) document.
    :ivar accept_formats: When omitted or not supported by server,
        server shall return service metadata document using the MIME
        type "text/xml".
    :ivar update_sequence: When omitted or not supported by server,
        server shall return latest complete service metadata document.
    """

    accept_versions: Optional[AcceptVersionsType] = field(
        default=None,
        metadata={
            "name": "AcceptVersions",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    sections: Optional[SectionsType] = field(
        default=None,
        metadata={
            "name": "Sections",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    accept_formats: Optional[AcceptFormatsType] = field(
        default=None,
        metadata={
            "name": "AcceptFormats",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    update_sequence: Optional[str] = field(
        default=None,
        metadata={
            "name": "updateSequence",
            "type": "Attribute",
        },
    )
accept_formats = field(default=None, metadata={'name': 'AcceptFormats', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
accept_versions = field(default=None, metadata={'name': 'AcceptVersions', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
sections = field(default=None, metadata={'name': 'Sections', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
update_sequence = field(default=None, metadata={'name': 'updateSequence', 'type': 'Attribute'}) class-attribute instance-attribute
__init__(accept_versions=None, sections=None, accept_formats=None, update_sequence=None)
get_resource_by_id
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
GetResourceById dataclass

Bases: GetResourceByIdType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/get_resource_by_id.py
10
11
12
13
14
@dataclass
class GetResourceById(GetResourceByIdType):
    class Meta:
        name = "GetResourceByID"
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/get_resource_by_id.py
12
13
14
class Meta:
    name = "GetResourceByID"
    namespace = "http://www.opengis.net/ows/1.1"
name = 'GetResourceByID' class-attribute instance-attribute
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(resource_id=list(), output_format=None, service=None, version=None)
get_resource_by_id_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
GetResourceByIdType dataclass

Request to a service to perform the GetResourceByID operation.

This operation allows a client to retrieve one or more identified resources, including datasets and resources that describe datasets or parameters. In this XML encoding, no "request" parameter is included, since the element name specifies the specific operation.

:ivar resource_id: Unordered list of zero or more resource identifiers. These identifiers can be listed in the Contents section of the service metadata (Capabilities) document. For more information on this parameter, see Subclause 9.4.2.1 of the OWS Common specification. :ivar output_format: Optional reference to the data format to be used for response to this operation request. This element shall be included when multiple output formats are available for the selected resource(s), and the client desires a format other than the specified default, if any. :ivar service: :ivar version:

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/get_resource_by_id_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
@dataclass
class GetResourceByIdType:
    """Request to a service to perform the GetResourceByID operation.

    This operation allows a client to retrieve one or more identified
    resources, including datasets and resources that describe datasets
    or parameters. In this XML encoding, no "request" parameter is
    included, since the element name specifies the specific operation.

    :ivar resource_id: Unordered list of zero or more resource
        identifiers. These identifiers can be listed in the Contents
        section of the service metadata (Capabilities) document. For
        more information on this parameter, see Subclause 9.4.2.1 of the
        OWS Common specification.
    :ivar output_format: Optional reference to the data format to be
        used for response to this operation request. This element shall
        be included when multiple output formats are available for the
        selected resource(s), and the client desires a format other than
        the specified default, if any.
    :ivar service:
    :ivar version:
    """

    resource_id: list[str] = field(
        default_factory=list,
        metadata={
            "name": "ResourceID",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    output_format: Optional[OutputFormat] = field(
        default=None,
        metadata={
            "name": "OutputFormat",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    service: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    version: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
            "pattern": r"\d+\.\d?\d\.\d?\d",
        },
    )
output_format = field(default=None, metadata={'name': 'OutputFormat', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
resource_id = field(default_factory=list, metadata={'name': 'ResourceID', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
service = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
version = field(default=None, metadata={'type': 'Attribute', 'required': True, 'pattern': '\\d+\\.\\d?\\d\\.\\d?\\d'}) class-attribute instance-attribute
__init__(resource_id=list(), output_format=None, service=None, version=None)
http
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
Http dataclass

Connect point URLs for the HTTP Distributed Computing Platform (DCP).

Normally, only one Get and/or one Post is included in this element. More than one Get and/or Post is allowed to support including alternative URLs for uses such as load balancing or backup.

:ivar get: Connect point URL prefix and any constraints for the HTTP "Get" request method for this operation request. :ivar post: Connect point URL and any constraints for the HTTP "Post" request method for this operation request.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/http.py
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
@dataclass
class Http:
    """Connect point URLs for the HTTP Distributed Computing Platform (DCP).

    Normally, only one Get and/or one Post is included in this element.
    More than one Get and/or Post is allowed to support including
    alternative URLs for uses such as load balancing or backup.

    :ivar get: Connect point URL prefix and any constraints for the HTTP
        "Get" request method for this operation request.
    :ivar post: Connect point URL and any constraints for the HTTP
        "Post" request method for this operation request.
    """

    class Meta:
        name = "HTTP"
        namespace = "http://www.opengis.net/ows/1.1"

    get: list[RequestMethodType] = field(
        default_factory=list,
        metadata={
            "name": "Get",
            "type": "Element",
        },
    )
    post: list[RequestMethodType] = field(
        default_factory=list,
        metadata={
            "name": "Post",
            "type": "Element",
        },
    )
get = field(default_factory=list, metadata={'name': 'Get', 'type': 'Element'}) class-attribute instance-attribute
post = field(default_factory=list, metadata={'name': 'Post', 'type': 'Element'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/http.py
24
25
26
class Meta:
    name = "HTTP"
    namespace = "http://www.opengis.net/ows/1.1"
name = 'HTTP' class-attribute instance-attribute
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(get=list(), post=list())
identification_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
IdentificationType dataclass

Bases: BasicIdentificationType

Extended metadata identifying and describing a set of data.

This type shall be extended if needed for each specific OWS to include additional metadata for each type of dataset. If needed, this type should first be restricted for each specific OWS to change the multiplicity (or optionality) of some elements.

:ivar wgs84_bounding_box: :ivar bounding_box: Unordered list of zero or more bounding boxes whose union describes the extent of this dataset. :ivar output_format: Unordered list of zero or more references to data formats supported for server outputs. :ivar supported_crs: :ivar available_crs: Unordered list of zero or more available coordinate reference systems.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/identification_type.py
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
@dataclass
class IdentificationType(BasicIdentificationType):
    """Extended metadata identifying and describing a set of data.

    This type shall be extended if needed for each specific OWS to
    include additional metadata for each type of dataset. If needed,
    this type should first be restricted for each specific OWS to change
    the multiplicity (or optionality) of some elements.

    :ivar wgs84_bounding_box:
    :ivar bounding_box: Unordered list of zero or more bounding boxes
        whose union describes the extent of this dataset.
    :ivar output_format: Unordered list of zero or more references to
        data formats supported for server outputs.
    :ivar supported_crs:
    :ivar available_crs: Unordered list of zero or more available
        coordinate reference systems.
    """

    wgs84_bounding_box: list[Wgs84BoundingBox] = field(
        default_factory=list,
        metadata={
            "name": "WGS84BoundingBox",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    bounding_box: list[BoundingBox] = field(
        default_factory=list,
        metadata={
            "name": "BoundingBox",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    output_format: list[OutputFormat] = field(
        default_factory=list,
        metadata={
            "name": "OutputFormat",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    supported_crs: list[SupportedCrs] = field(
        default_factory=list,
        metadata={
            "name": "SupportedCRS",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    available_crs: list[AvailableCrs] = field(
        default_factory=list,
        metadata={
            "name": "AvailableCRS",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
available_crs = field(default_factory=list, metadata={'name': 'AvailableCRS', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
bounding_box = field(default_factory=list, metadata={'name': 'BoundingBox', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
output_format = field(default_factory=list, metadata={'name': 'OutputFormat', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
supported_crs = field(default_factory=list, metadata={'name': 'SupportedCRS', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
wgs84_bounding_box = field(default_factory=list, metadata={'name': 'WGS84BoundingBox', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list(), identifier=None, metadata=list(), wgs84_bounding_box=list(), bounding_box=list(), output_format=list(), supported_crs=list(), available_crs=list())
identifier
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
Identifier dataclass

Bases: CodeType

Unique identifier or name of this dataset.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/identifier.py
10
11
12
13
14
15
16
17
@dataclass
class Identifier(CodeType):
    """
    Unique identifier or name of this dataset.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/identifier.py
16
17
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='', code_space=None)
individual_name
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
IndividualName dataclass

Name of the responsible person: surname, given name, title separated by a delimiter.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/individual_name.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
@dataclass
class IndividualName:
    """Name of the responsible person: surname, given name, title separated by a delimiter."""

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/individual_name.py
10
11
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
input_data
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
InputData dataclass

Bases: ManifestType

Input data in a XML-encoded OWS operation request, allowing including multiple data items with each data item either included or referenced.

This InputData element, or an element using the ManifestType with a more-specific element name (TBR), shall be used whenever applicable within XML-encoded OWS operation requests.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/input_data.py
10
11
12
13
14
15
16
17
18
19
20
21
@dataclass
class InputData(ManifestType):
    """Input data in a XML-encoded OWS operation request, allowing including
    multiple data items with each data item either included or referenced.

    This InputData element, or an element using the ManifestType with a
    more-specific element name (TBR), shall be used whenever applicable
    within XML-encoded OWS operation requests.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/input_data.py
20
21
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list(), identifier=None, metadata=list(), reference_group=list())
keywords
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
Keywords dataclass

Bases: KeywordsType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/keywords.py
10
11
12
13
@dataclass
class Keywords(KeywordsType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/keywords.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(keyword=list(), type_value=None)
keywords_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
KeywordsType dataclass

Unordered list of one or more commonly used or formalised word(s) or phrase(s) used to describe the subject.

When needed, the optional "type" can name the type of the associated list of keywords that shall all have the same type. Also when needed, the codeSpace attribute of that "type" can reference the type name authority and/or thesaurus. If the xml:lang attribute is not included in a Keyword element, then no language is specified for that element unless specified by another means. All Keyword elements in the same Keywords element that share the same xml:lang attribute value represent different keywords in that language. For OWS use, the optional thesaurusName element was omitted as being complex information that could be referenced by the codeSpace attribute of the Type element.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/keywords_type.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
@dataclass
class KeywordsType:
    """Unordered list of one or more commonly used or formalised word(s) or
    phrase(s) used to describe the subject.

    When needed, the optional "type" can name the type of the associated
    list of keywords that shall all have the same type. Also when
    needed, the codeSpace attribute of that "type" can reference the
    type name authority and/or thesaurus. If the xml:lang attribute is
    not included in a Keyword element, then no language is specified for
    that element unless specified by another means.  All Keyword
    elements in the same Keywords element that share the same xml:lang
    attribute value represent different keywords in that language. For
    OWS use, the optional thesaurusName element was omitted as being
    complex information that could be referenced by the codeSpace
    attribute of the Type element.
    """

    keyword: list[LanguageStringType] = field(
        default_factory=list,
        metadata={
            "name": "Keyword",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
            "min_occurs": 1,
        },
    )
    type_value: Optional[CodeType] = field(
        default=None,
        metadata={
            "name": "Type",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
keyword = field(default_factory=list, metadata={'name': 'Keyword', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1', 'min_occurs': 1}) class-attribute instance-attribute
type_value = field(default=None, metadata={'name': 'Type', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(keyword=list(), type_value=None)
language
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
Language dataclass

Identifier of a language used by the data(set) contents.

This language identifier shall be as specified in IETF RFC 4646. When this element is omitted, the language used is not identified.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/language.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
@dataclass
class Language:
    """Identifier of a language used by the data(set) contents.

    This language identifier shall be as specified in IETF RFC 4646.
    When this element is omitted, the language used is not identified.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/language.py
14
15
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
language_string_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
LanguageStringType dataclass

Text string with the language of the string identified as recommended in the XML 1.0 W3C Recommendation, section 2.12.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/language_string_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
@dataclass
class LanguageStringType:
    """
    Text string with the language of the string identified as recommended in the
    XML 1.0 W3C Recommendation, section 2.12.
    """

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
    lang: Optional[Union[str, LangValue]] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/XML/1998/namespace",
        },
    )
lang = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/XML/1998/namespace'}) class-attribute instance-attribute
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
__init__(value='', lang=None)
manifest
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
Manifest dataclass

Bases: ManifestType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/manifest.py
10
11
12
13
@dataclass
class Manifest(ManifestType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/manifest.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list(), identifier=None, metadata=list(), reference_group=list())
manifest_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
ManifestType dataclass

Bases: BasicIdentificationType

Unordered list of one or more groups of references to remote and/or local resources.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/manifest_type.py
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
@dataclass
class ManifestType(BasicIdentificationType):
    """
    Unordered list of one or more groups of references to remote and/or local
    resources.
    """

    reference_group: list[ReferenceGroup] = field(
        default_factory=list,
        metadata={
            "name": "ReferenceGroup",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
            "min_occurs": 1,
        },
    )
reference_group = field(default_factory=list, metadata={'name': 'ReferenceGroup', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1', 'min_occurs': 1}) class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list(), identifier=None, metadata=list(), reference_group=list())
maximum_value
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
MaximumValue dataclass

Bases: ValueType

Maximum value of this numeric parameter.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/maximum_value.py
10
11
12
13
14
15
16
17
@dataclass
class MaximumValue(ValueType):
    """
    Maximum value of this numeric parameter.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/maximum_value.py
16
17
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
meaning
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
Meaning dataclass

Bases: DomainMetadataType

Definition of the meaning or semantics of this set of values.

This Meaning can provide more specific, complete, precise, machine accessible, and machine understandable semantics about this quantity, relative to other available semantic information. For example, other semantic information is often provided in "documentation" elements in XML Schemas or "description" elements in GML objects.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/meaning.py
10
11
12
13
14
15
16
17
18
19
20
21
22
23
@dataclass
class Meaning(DomainMetadataType):
    """Definition of the meaning or semantics of this set of values.

    This Meaning can provide more specific, complete, precise, machine
    accessible, and machine understandable semantics about this
    quantity, relative to other available semantic information. For
    example, other semantic information is often provided in
    "documentation" elements in XML Schemas or "description" elements in
    GML objects.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/meaning.py
22
23
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='', reference=None)
metadata
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
Metadata dataclass

Bases: MetadataType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/metadata.py
10
11
12
13
@dataclass
class Metadata(MetadataType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/metadata.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None, about=None)
metadata_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
MetadataType dataclass

This element either references or contains more metadata about the element that includes this element.

To reference metadata stored remotely, at least the xlinks:href attribute in xlink:simpleAttrs shall be included. Either at least one of the attributes in xlink:simpleAttrs or a substitute for the AbstractMetaData element shall be included, but not both. An Implementation Specification can restrict the contents of this element to always be a reference or always contain metadata. (Informative: This element was adapted from the metaDataProperty element in GML 3.0.)

:ivar type_value: :ivar href: :ivar role: :ivar arcrole: :ivar title: :ivar show: :ivar actuate: :ivar about: Optional reference to the aspect of the element which includes this "metadata" element that this metadata provides more information about.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/metadata_type.py
 17
 18
 19
 20
 21
 22
 23
 24
 25
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
@dataclass
class MetadataType:
    """This element either references or contains more metadata about the element
    that includes this element.

    To reference metadata stored remotely, at least the xlinks:href
    attribute in xlink:simpleAttrs shall be included. Either at least
    one of the attributes in xlink:simpleAttrs or a substitute for the
    AbstractMetaData element shall be included, but not both. An
    Implementation Specification can restrict the contents of this
    element to always be a reference or always contain metadata.
    (Informative: This element was adapted from the metaDataProperty
    element in GML 3.0.)

    :ivar type_value:
    :ivar href:
    :ivar role:
    :ivar arcrole:
    :ivar title:
    :ivar show:
    :ivar actuate:
    :ivar about: Optional reference to the aspect of the element which
        includes this "metadata" element that this metadata provides
        more information about.
    """

    type_value: TypeType = field(
        init=False,
        default=TypeType.SIMPLE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    href: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    arcrole: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    show: Optional[ShowType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    actuate: Optional[ActuateType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    about: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
about = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
actuate = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
arcrole = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
href = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
show = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.SIMPLE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None, about=None)
minimum_value
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
MinimumValue dataclass

Bases: ValueType

Minimum value of this numeric parameter.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/minimum_value.py
10
11
12
13
14
15
16
17
@dataclass
class MinimumValue(ValueType):
    """
    Minimum value of this numeric parameter.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/minimum_value.py
16
17
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
no_values
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
NoValues dataclass

Specifies that no values are allowed for this parameter or quantity.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/no_values.py
 6
 7
 8
 9
10
11
12
13
@dataclass
class NoValues:
    """
    Specifies that no values are allowed for this parameter or quantity.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/no_values.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__()
online_resource_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
OnlineResourceType dataclass

Reference to on-line resource from which data can be obtained.

For OWS use in the service metadata document, the CI_OnlineResource class was XML encoded as the attributeGroup "xlink:simpleAttrs", as used in GML.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/online_resource_type.py
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
@dataclass
class OnlineResourceType:
    """Reference to on-line resource from which data can be obtained.

    For OWS use in the service metadata document, the CI_OnlineResource
    class was XML encoded as the attributeGroup "xlink:simpleAttrs", as
    used in GML.
    """

    type_value: TypeType = field(
        init=False,
        default=TypeType.SIMPLE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    href: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    arcrole: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    show: Optional[ShowType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    actuate: Optional[ActuateType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
actuate = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
arcrole = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
href = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
show = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.SIMPLE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None)
operation
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
Operation dataclass

Metadata for one operation that this server implements.

:ivar dcp: Unordered list of Distributed Computing Platforms (DCPs) supported for this operation. At present, only the HTTP DCP is defined, so this element will appear only once. :ivar parameter: Optional unordered list of parameter domains that each apply to this operation which this server implements. If one of these Parameter elements has the same "name" attribute as a Parameter element in the OperationsMetadata element, this Parameter element shall override the other one for this operation. The list of required and optional parameter domain limitations for this operation shall be specified in the Implementation Specification for this service. :ivar constraint: Optional unordered list of valid domain constraints on non-parameter quantities that each apply to this operation. If one of these Constraint elements has the same "name" attribute as a Constraint element in the OperationsMetadata element, this Constraint element shall override the other one for this operation. The list of required and optional constraints for this operation shall be specified in the Implementation Specification for this service. :ivar metadata: Optional unordered list of additional metadata about this operation and its' implementation. A list of required and optional metadata elements for this operation should be specified in the Implementation Specification for this service. (Informative: This metadata might specify the operation request parameters or provide the XML Schemas for the operation request.) :ivar name: Name or identifier of this operation (request) (for example, GetCapabilities). The list of required and optional operations implemented shall be specified in the Implementation Specification for this service.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/operation.py
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
@dataclass
class Operation:
    """
    Metadata for one operation that this server implements.

    :ivar dcp: Unordered list of Distributed Computing Platforms (DCPs)
        supported for this operation. At present, only the HTTP DCP is
        defined, so this element will appear only once.
    :ivar parameter: Optional unordered list of parameter domains that
        each apply to this operation which this server implements. If
        one of these Parameter elements has the same "name" attribute as
        a Parameter element in the OperationsMetadata element, this
        Parameter element shall override the other one for this
        operation. The list of required and optional parameter domain
        limitations for this operation shall be specified in the
        Implementation Specification for this service.
    :ivar constraint: Optional unordered list of valid domain
        constraints on non-parameter quantities that each apply to this
        operation. If one of these Constraint elements has the same
        "name" attribute as a Constraint element in the
        OperationsMetadata element, this Constraint element shall
        override the other one for this operation. The list of required
        and optional constraints for this operation shall be specified
        in the Implementation Specification for this service.
    :ivar metadata: Optional unordered list of additional metadata about
        this operation and its' implementation. A list of required and
        optional metadata elements for this operation should be
        specified in the Implementation Specification for this service.
        (Informative: This metadata might specify the operation request
        parameters or provide the XML Schemas for the operation
        request.)
    :ivar name: Name or identifier of this operation (request) (for
        example, GetCapabilities). The list of required and optional
        operations implemented shall be specified in the Implementation
        Specification for this service.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    dcp: list[Dcp] = field(
        default_factory=list,
        metadata={
            "name": "DCP",
            "type": "Element",
            "min_occurs": 1,
        },
    )
    parameter: list[DomainType] = field(
        default_factory=list,
        metadata={
            "name": "Parameter",
            "type": "Element",
        },
    )
    constraint: list[DomainType] = field(
        default_factory=list,
        metadata={
            "name": "Constraint",
            "type": "Element",
        },
    )
    metadata: list[Metadata] = field(
        default_factory=list,
        metadata={
            "name": "Metadata",
            "type": "Element",
        },
    )
    name: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
constraint = field(default_factory=list, metadata={'name': 'Constraint', 'type': 'Element'}) class-attribute instance-attribute
dcp = field(default_factory=list, metadata={'name': 'DCP', 'type': 'Element', 'min_occurs': 1}) class-attribute instance-attribute
metadata = field(default_factory=list, metadata={'name': 'Metadata', 'type': 'Element'}) class-attribute instance-attribute
name = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
parameter = field(default_factory=list, metadata={'name': 'Parameter', 'type': 'Element'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/operation.py
52
53
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(dcp=list(), parameter=list(), constraint=list(), metadata=list(), name=None)
operation_response
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
OperationResponse dataclass

Bases: ManifestType

Response from an OWS operation, allowing including multiple output data items with each item either included or referenced.

This OperationResponse element, or an element using the ManifestType with a more specific element name, shall be used whenever applicable for responses from OWS operations. This element is specified for use where the ManifestType contents are needed for an operation response, but the Manifest element name is not fully applicable. This element or the ManifestType shall be used instead of using the ows:ReferenceType proposed in OGC 04-105.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/operation_response.py
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
@dataclass
class OperationResponse(ManifestType):
    """Response from an OWS operation, allowing including multiple output data
    items with each item either included or referenced.

    This OperationResponse element, or an element using the ManifestType
    with a more specific element name, shall be used whenever applicable
    for responses from OWS operations. This element is specified for use
    where the ManifestType contents are needed for an operation
    response, but the Manifest element name is not fully applicable.
    This element or the ManifestType shall be used instead of using the
    ows:ReferenceType proposed in OGC 04-105.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/operation_response.py
24
25
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list(), identifier=None, metadata=list(), reference_group=list())
operations_metadata
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
OperationsMetadata dataclass

Metadata about the operations and related abilities specified by this service and implemented by this server, including the URLs for operation requests.

The basic contents of this section shall be the same for all OWS types, but individual services can add elements and/or change the optionality of optional elements.

:ivar operation: Metadata for unordered list of all the (requests for) operations that this server interface implements. The list of required and optional operations implemented shall be specified in the Implementation Specification for this service. :ivar parameter: Optional unordered list of parameter valid domains that each apply to one or more operations which this server interface implements. The list of required and optional parameter domain limitations shall be specified in the Implementation Specification for this service. :ivar constraint: Optional unordered list of valid domain constraints on non-parameter quantities that each apply to this server. The list of required and optional constraints shall be specified in the Implementation Specification for this service. :ivar extended_capabilities:

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/operations_metadata.py
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
@dataclass
class OperationsMetadata:
    """Metadata about the operations and related abilities specified by this
    service and implemented by this server, including the URLs for operation
    requests.

    The basic contents of this section shall be the same for all OWS
    types, but individual services can add elements and/or change the
    optionality of optional elements.

    :ivar operation: Metadata for unordered list of all the (requests
        for) operations that this server interface implements. The list
        of required and optional operations implemented shall be
        specified in the Implementation Specification for this service.
    :ivar parameter: Optional unordered list of parameter valid domains
        that each apply to one or more operations which this server
        interface implements. The list of required and optional
        parameter domain limitations shall be specified in the
        Implementation Specification for this service.
    :ivar constraint: Optional unordered list of valid domain
        constraints on non-parameter quantities that each apply to this
        server. The list of required and optional constraints shall be
        specified in the Implementation Specification for this service.
    :ivar extended_capabilities:
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    operation: list[Operation] = field(
        default_factory=list,
        metadata={
            "name": "Operation",
            "type": "Element",
            "min_occurs": 2,
        },
    )
    parameter: list[DomainType] = field(
        default_factory=list,
        metadata={
            "name": "Parameter",
            "type": "Element",
        },
    )
    constraint: list[DomainType] = field(
        default_factory=list,
        metadata={
            "name": "Constraint",
            "type": "Element",
        },
    )
    extended_capabilities: Optional[ExtendedCapabilities] = field(
        default=None,
        metadata={
            "name": "ExtendedCapabilities",
            "type": "Element",
        },
    )
constraint = field(default_factory=list, metadata={'name': 'Constraint', 'type': 'Element'}) class-attribute instance-attribute
extended_capabilities = field(default=None, metadata={'name': 'ExtendedCapabilities', 'type': 'Element'}) class-attribute instance-attribute
operation = field(default_factory=list, metadata={'name': 'Operation', 'type': 'Element', 'min_occurs': 2}) class-attribute instance-attribute
parameter = field(default_factory=list, metadata={'name': 'Parameter', 'type': 'Element'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/operations_metadata.py
43
44
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(operation=list(), parameter=list(), constraint=list(), extended_capabilities=None)
organisation_name
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
OrganisationName dataclass

Name of the responsible organization.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/organisation_name.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
@dataclass
class OrganisationName:
    """
    Name of the responsible organization.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/organisation_name.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
other_source
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
OtherSource dataclass

Bases: MetadataType

Reference to a source of metadata describing coverage offerings available from this server.

This parameter can reference a catalogue server from which dataset metadata is available. This ability is expected to be used by servers with thousands or millions of datasets, for which searching a catalogue is more feasible than fetching a long Capabilities XML document. When no DatasetDescriptionSummaries are included, and one or more catalogue servers are referenced, this set of catalogues shall contain current metadata summaries for all the datasets currently available from this OWS server, with the metadata for each such dataset referencing this OWS server.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/other_source.py
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
@dataclass
class OtherSource(MetadataType):
    """Reference to a source of metadata describing  coverage offerings available
    from this server.

    This  parameter can reference a catalogue server from which dataset
    metadata is available. This ability is expected to be used by
    servers with thousands or millions of datasets, for which searching
    a catalogue is more feasible than fetching a long Capabilities XML
    document. When no DatasetDescriptionSummaries are included, and one
    or more catalogue servers are referenced, this set of catalogues
    shall contain current metadata summaries for all the datasets
    currently available from this OWS server, with the metadata for each
    such dataset referencing this OWS server.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/other_source.py
26
27
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None, about=None)
output_format
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
OutputFormat dataclass

Reference to a format in which this data can be encoded and transferred.

More specific parameter names should be used by specific OWS specifications wherever applicable. More than one such parameter can be included for different purposes.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/output_format.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
@dataclass
class OutputFormat:
    """Reference to a format in which this data can be encoded and transferred.

    More specific parameter names should be used by specific OWS
    specifications wherever applicable. More than one such parameter can
    be included for different purposes.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    value: str = field(
        default="",
        metadata={
            "required": True,
            "pattern": r"(application|audio|image|text|video|message|multipart|model)/.+(;\s*.+=.+)*",
        },
    )
value = field(default='', metadata={'required': True, 'pattern': '(application|audio|image|text|video|message|multipart|model)/.+(;\\s*.+=.+)*'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/output_format.py
15
16
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
point_of_contact
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
PointOfContact dataclass

Bases: ResponsiblePartyType

Identification of, and means of communication with, person(s) responsible for the resource(s).

For OWS use in the ServiceProvider section of a service metadata document, the optional organizationName element was removed, since this type is always used with the ProviderName element which provides that information. The optional individualName element was made mandatory, since either the organizationName or individualName element is mandatory. The mandatory "role" element was changed to optional, since no clear use of this information is known in the ServiceProvider section.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/point_of_contact.py
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
@dataclass
class PointOfContact(ResponsiblePartyType):
    """Identification of, and means of communication with, person(s) responsible
    for the resource(s).

    For OWS use in the ServiceProvider section of a service metadata
    document, the optional organizationName element was removed, since
    this type is always used with the ProviderName element which
    provides that information. The optional individualName element was
    made mandatory, since either the organizationName or individualName
    element is mandatory. The mandatory "role" element was changed to
    optional, since no clear use of this information is known in the
    ServiceProvider section.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/point_of_contact.py
25
26
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(individual_name=None, organisation_name=None, position_name=None, contact_info=None, role=None)
position_name
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
PositionName dataclass

Role or position of the responsible person.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/position_name.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
@dataclass
class PositionName:
    """
    Role or position of the responsible person.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/position_name.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
range
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
Range dataclass

Bases: RangeType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/range.py
10
11
12
13
@dataclass
class Range(RangeType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/range.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(minimum_value=None, maximum_value=None, spacing=None, range_closure=RangeClosureValue.CLOSED)
range_closure_value
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
RangeClosureValue

Bases: Enum

:cvar CLOSED: The specified minimum and maximum values are included in this range. :cvar OPEN: The specified minimum and maximum values are NOT included in this range. :cvar OPEN_CLOSED: The specified minimum value is NOT included in this range, and the specified maximum value IS included in this range. :cvar CLOSED_OPEN: The specified minimum value IS included in this range, and the specified maximum value is NOT included in this range.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/range_closure_value.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
class RangeClosureValue(Enum):
    """
    :cvar CLOSED: The specified minimum and maximum values are included
        in this range.
    :cvar OPEN: The specified minimum and maximum values are NOT
        included in this range.
    :cvar OPEN_CLOSED: The specified minimum value is NOT included in
        this range, and the specified maximum value IS included in this
        range.
    :cvar CLOSED_OPEN: The specified minimum value IS included in this
        range, and the specified maximum value is NOT included in this
        range.
    """

    CLOSED = "closed"
    OPEN = "open"
    OPEN_CLOSED = "open-closed"
    CLOSED_OPEN = "closed-open"
CLOSED = 'closed' class-attribute instance-attribute
CLOSED_OPEN = 'closed-open' class-attribute instance-attribute
OPEN = 'open' class-attribute instance-attribute
OPEN_CLOSED = 'open-closed' class-attribute instance-attribute
range_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
RangeType dataclass

A range of values of a numeric parameter.

This range can be continuous or discrete, defined by a fixed spacing between adjacent valid values. If the MinimumValue or MaximumValue is not included, there is no value limit in that direction. Inclusion of the specified minimum and maximum values in the range shall be defined by the rangeClosure.

:ivar minimum_value: :ivar maximum_value: :ivar spacing: Shall be included when the allowed values are NOT continuous in this range. Shall not be included when the allowed values are continuous in this range. :ivar range_closure: Shall be included unless the default value applies.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/range_type.py
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
@dataclass
class RangeType:
    """A range of values of a numeric parameter.

    This range can be continuous or discrete, defined by a fixed spacing
    between adjacent valid values. If the MinimumValue or MaximumValue
    is not included, there is no value limit in that direction.
    Inclusion of the specified minimum and maximum values in the range
    shall be defined by the rangeClosure.

    :ivar minimum_value:
    :ivar maximum_value:
    :ivar spacing: Shall be included when the allowed values are NOT
        continuous in this range. Shall not be included when the allowed
        values are continuous in this range.
    :ivar range_closure: Shall be included unless the default value
        applies.
    """

    minimum_value: Optional[MinimumValue] = field(
        default=None,
        metadata={
            "name": "MinimumValue",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    maximum_value: Optional[MaximumValue] = field(
        default=None,
        metadata={
            "name": "MaximumValue",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    spacing: Optional[Spacing] = field(
        default=None,
        metadata={
            "name": "Spacing",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    range_closure: RangeClosureValue = field(
        default=RangeClosureValue.CLOSED,
        metadata={
            "name": "rangeClosure",
            "type": "Attribute",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
maximum_value = field(default=None, metadata={'name': 'MaximumValue', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
minimum_value = field(default=None, metadata={'name': 'MinimumValue', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
range_closure = field(default=RangeClosureValue.CLOSED, metadata={'name': 'rangeClosure', 'type': 'Attribute', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
spacing = field(default=None, metadata={'name': 'Spacing', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(minimum_value=None, maximum_value=None, spacing=None, range_closure=RangeClosureValue.CLOSED)
reference
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
Reference dataclass

Bases: ReferenceType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/reference.py
10
11
12
13
@dataclass
class Reference(ReferenceType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/reference.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None, identifier=None, abstract=list(), format=None, metadata=list())
reference_group
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
ReferenceGroup dataclass

Bases: ReferenceGroupType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/reference_group.py
10
11
12
13
@dataclass
class ReferenceGroup(ReferenceGroupType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/reference_group.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list(), identifier=None, metadata=list(), service_reference=list(), reference=list())
reference_group_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
ReferenceGroupType dataclass

Bases: BasicIdentificationType

Logical group of one or more references to remote and/or local resources, allowing including metadata about that group.

A Group can be used instead of a Manifest that can only contain one group.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/reference_group_type.py
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
@dataclass
class ReferenceGroupType(BasicIdentificationType):
    """Logical group of one or more references to remote and/or local resources,
    allowing including metadata about that group.

    A Group can be used instead of a Manifest that can only contain one
    group.
    """

    service_reference: list[ServiceReference] = field(
        default_factory=list,
        metadata={
            "name": "ServiceReference",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    reference: list[Reference] = field(
        default_factory=list,
        metadata={
            "name": "Reference",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
reference = field(default_factory=list, metadata={'name': 'Reference', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
service_reference = field(default_factory=list, metadata={'name': 'ServiceReference', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list(), identifier=None, metadata=list(), service_reference=list(), reference=list())
reference_system
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
ReferenceSystem dataclass

Bases: DomainMetadataType

Definition of the reference system used by this set of values, including the unit of measure whenever applicable (as is normal).

In this case, the xlink:href attribute can reference a URN for a well-known reference system, such as for a coordinate reference system (CRS). For example, such a URN could be a CRS identification URN defined in the "ogc" URN namespace.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/reference_system.py
10
11
12
13
14
15
16
17
18
19
20
21
22
@dataclass
class ReferenceSystem(DomainMetadataType):
    """Definition of the reference system used by this set of values, including the
    unit of measure whenever applicable (as is normal).

    In this case, the xlink:href attribute can reference a URN for a
    well-known reference system, such as for a coordinate reference
    system (CRS). For example, such a URN could be a CRS identification
    URN defined in the "ogc" URN namespace.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/reference_system.py
21
22
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='', reference=None)
reference_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
ReferenceType dataclass

Bases: AbstractReferenceBaseType

Complete reference to a remote or local resource, allowing including metadata about that resource.

:ivar identifier: Optional unique identifier of the referenced resource. :ivar abstract: :ivar format: The format of the referenced resource. This element is omitted when the mime type is indicated in the http header of the reference. :ivar metadata: Optional unordered list of additional metadata about this resource. A list of optional metadata elements for this ReferenceType could be specified in the Implementation Specification for each use of this type in a specific OWS.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/reference_type.py
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
@dataclass
class ReferenceType(AbstractReferenceBaseType):
    """
    Complete reference to a remote or local resource, allowing including metadata
    about that resource.

    :ivar identifier: Optional unique identifier of the referenced
        resource.
    :ivar abstract:
    :ivar format: The format of the referenced resource. This element is
        omitted when the mime type is indicated in the http header of
        the reference.
    :ivar metadata: Optional unordered list of additional metadata about
        this resource. A list of optional metadata elements for this
        ReferenceType could be specified in the Implementation
        Specification for each use of this type in a specific OWS.
    """

    identifier: Optional[Identifier] = field(
        default=None,
        metadata={
            "name": "Identifier",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    abstract: list[Abstract] = field(
        default_factory=list,
        metadata={
            "name": "Abstract",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    format: Optional[str] = field(
        default=None,
        metadata={
            "name": "Format",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
            "pattern": r"(application|audio|image|text|video|message|multipart|model)/.+(;\s*.+=.+)*",
        },
    )
    metadata: list[Metadata] = field(
        default_factory=list,
        metadata={
            "name": "Metadata",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
abstract = field(default_factory=list, metadata={'name': 'Abstract', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
format = field(default=None, metadata={'name': 'Format', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1', 'pattern': '(application|audio|image|text|video|message|multipart|model)/.+(;\\s*.+=.+)*'}) class-attribute instance-attribute
identifier = field(default=None, metadata={'name': 'Identifier', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
metadata = field(default_factory=list, metadata={'name': 'Metadata', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None, identifier=None, abstract=list(), format=None, metadata=list())
request_method_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
RequestMethodType dataclass

Bases: OnlineResourceType

Connect point URL and any constraints for this HTTP request method for this operation request.

In the OnlineResourceType, the xlink:href attribute in the xlink:simpleAttrs attribute group shall be used to contain this URL. The other attributes in the xlink:simpleAttrs attribute group should not be used.

:ivar constraint: Optional unordered list of valid domain constraints on non-parameter quantities that each apply to this request method for this operation. If one of these Constraint elements has the same "name" attribute as a Constraint element in the OperationsMetadata or Operation element, this Constraint element shall override the other one for this operation. The list of required and optional constraints for this request method for this operation shall be specified in the Implementation Specification for this service.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/request_method_type.py
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
@dataclass
class RequestMethodType(OnlineResourceType):
    """Connect point URL and any constraints for this HTTP request method for this
    operation request.

    In the OnlineResourceType, the xlink:href attribute in the
    xlink:simpleAttrs attribute group shall be used to contain this URL.
    The other attributes in the xlink:simpleAttrs attribute group should
    not be used.

    :ivar constraint: Optional unordered list of valid domain
        constraints on non-parameter quantities that each apply to this
        request method for this operation. If one of these Constraint
        elements has the same "name" attribute as a Constraint element
        in the OperationsMetadata or Operation element, this Constraint
        element shall override the other one for this operation. The
        list of required and optional constraints for this request
        method for this operation shall be specified in the
        Implementation Specification for this service.
    """

    constraint: list[DomainType] = field(
        default_factory=list,
        metadata={
            "name": "Constraint",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
constraint = field(default_factory=list, metadata={'name': 'Constraint', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None, constraint=list())
resource
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
Resource dataclass

XML encoded GetResourceByID operation response.

The complexType used by this element shall be specified by each specific OWS.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/resource.py
 6
 7
 8
 9
10
11
12
13
14
15
@dataclass
class Resource:
    """XML encoded GetResourceByID operation response.

    The complexType used by this element shall be specified by each
    specific OWS.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/resource.py
14
15
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__()
responsible_party_subset_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
ResponsiblePartySubsetType dataclass

Identification of, and means of communication with, person responsible for the server.

For OWS use in the ServiceProvider section of a service metadata document, the optional organizationName element was removed, since this type is always used with the ProviderName element which provides that information. The mandatory "role" element was changed to optional, since no clear use of this information is known in the ServiceProvider section.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/responsible_party_subset_type.py
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
@dataclass
class ResponsiblePartySubsetType:
    """Identification of, and means of communication with, person responsible for
    the server.

    For OWS use in the ServiceProvider section of a service metadata
    document, the optional organizationName element was removed, since
    this type is always used with the ProviderName element which
    provides that information. The mandatory "role" element was changed
    to optional, since no clear use of this information is known in the
    ServiceProvider section.
    """

    individual_name: Optional[IndividualName] = field(
        default=None,
        metadata={
            "name": "IndividualName",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    position_name: Optional[PositionName] = field(
        default=None,
        metadata={
            "name": "PositionName",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    contact_info: Optional[ContactInfo] = field(
        default=None,
        metadata={
            "name": "ContactInfo",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    role: Optional[Role] = field(
        default=None,
        metadata={
            "name": "Role",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
contact_info = field(default=None, metadata={'name': 'ContactInfo', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
individual_name = field(default=None, metadata={'name': 'IndividualName', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
position_name = field(default=None, metadata={'name': 'PositionName', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
role = field(default=None, metadata={'name': 'Role', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(individual_name=None, position_name=None, contact_info=None, role=None)
responsible_party_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
ResponsiblePartyType dataclass

Identification of, and means of communication with, person responsible for the server.

At least one of IndividualName, OrganisationName, or PositionName shall be included.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/responsible_party_type.py
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
@dataclass
class ResponsiblePartyType:
    """Identification of, and means of communication with, person responsible for
    the server.

    At least one of IndividualName, OrganisationName, or PositionName
    shall be included.
    """

    individual_name: Optional[IndividualName] = field(
        default=None,
        metadata={
            "name": "IndividualName",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    organisation_name: Optional[OrganisationName] = field(
        default=None,
        metadata={
            "name": "OrganisationName",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    position_name: Optional[PositionName] = field(
        default=None,
        metadata={
            "name": "PositionName",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    contact_info: Optional[ContactInfo] = field(
        default=None,
        metadata={
            "name": "ContactInfo",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    role: Optional[Role] = field(
        default=None,
        metadata={
            "name": "Role",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
            "required": True,
        },
    )
contact_info = field(default=None, metadata={'name': 'ContactInfo', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
individual_name = field(default=None, metadata={'name': 'IndividualName', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
organisation_name = field(default=None, metadata={'name': 'OrganisationName', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
position_name = field(default=None, metadata={'name': 'PositionName', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
role = field(default=None, metadata={'name': 'Role', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1', 'required': True}) class-attribute instance-attribute
__init__(individual_name=None, organisation_name=None, position_name=None, contact_info=None, role=None)
role
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
Role dataclass

Bases: CodeType

Function performed by the responsible party.

Possible values of this Role shall include the values and the meanings listed in Subclause B.5.5 of ISO 19115:2003.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/role.py
10
11
12
13
14
15
16
17
18
19
@dataclass
class Role(CodeType):
    """Function performed by the responsible party.

    Possible values of this Role shall include the values and the
    meanings listed in Subclause B.5.5 of ISO 19115:2003.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/role.py
18
19
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='', code_space=None)
sections_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
SectionsType dataclass

Unordered list of zero or more names of requested sections in complete service metadata document.

Each Section value shall contain an allowed section name as specified by each OWS specification. See Sections parameter subclause for more information.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/sections_type.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
@dataclass
class SectionsType:
    """Unordered list of zero or more names of requested sections in complete
    service metadata document.

    Each Section value shall contain an allowed section name as
    specified by each OWS specification. See Sections parameter
    subclause for more information.
    """

    section: list[str] = field(
        default_factory=list,
        metadata={
            "name": "Section",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
section = field(default_factory=list, metadata={'name': 'Section', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(section=list())
service_identification
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
ServiceIdentification dataclass

Bases: DescriptionType

General metadata for this specific server.

This XML Schema of this section shall be the same for all OWS.

:ivar service_type: A service type name from a registry of services. For example, the values of the codeSpace URI and name and code string may be "OGC" and "catalogue." This type name is normally used for machine-to-machine communication. :ivar service_type_version: Unordered list of one or more versions of this service type implemented by this server. This information is not adequate for version negotiation, and shall not be used for that purpose. :ivar profile: Unordered list of identifiers of Application Profiles that are implemented by this server. This element should be included for each specified application profile implemented by this server. The identifier value should be specified by each Application Profile. If this element is omitted, no meaning is implied. :ivar fees: If this element is omitted, no meaning is implied. :ivar access_constraints: Unordered list of access constraints applied to assure the protection of privacy or intellectual property, and any other restrictions on retrieving or using data from or otherwise using this server. The reserved value NONE (case insensitive) shall be used to mean no access constraints are imposed. When this element is omitted, no meaning is implied.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/service_identification.py
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
@dataclass
class ServiceIdentification(DescriptionType):
    """General metadata for this specific server.

    This XML Schema of this section shall be the same for all OWS.

    :ivar service_type: A service type name from a registry of services.
        For example, the values of the codeSpace URI and name and code
        string may be "OGC" and "catalogue." This type name is normally
        used for machine-to-machine communication.
    :ivar service_type_version: Unordered list of one or more versions
        of this service type implemented by this server. This
        information is not adequate for version negotiation, and shall
        not be used for that purpose.
    :ivar profile: Unordered list of identifiers of Application Profiles
        that are implemented by this server. This element should be
        included for each specified application profile implemented by
        this server. The identifier value should be specified by each
        Application Profile. If this element is omitted, no meaning is
        implied.
    :ivar fees: If this element is omitted, no meaning is implied.
    :ivar access_constraints: Unordered list of access constraints
        applied to assure the protection of privacy or intellectual
        property, and any other restrictions on retrieving or using data
        from or otherwise using this server. The reserved value NONE
        (case insensitive) shall be used to mean no access constraints
        are imposed. When this element is omitted, no meaning is
        implied.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    service_type: Optional[CodeType] = field(
        default=None,
        metadata={
            "name": "ServiceType",
            "type": "Element",
            "required": True,
        },
    )
    service_type_version: list[str] = field(
        default_factory=list,
        metadata={
            "name": "ServiceTypeVersion",
            "type": "Element",
            "min_occurs": 1,
            "pattern": r"\d+\.\d?\d\.\d?\d",
        },
    )
    profile: list[str] = field(
        default_factory=list,
        metadata={
            "name": "Profile",
            "type": "Element",
        },
    )
    fees: Optional[Fees] = field(
        default=None,
        metadata={
            "name": "Fees",
            "type": "Element",
        },
    )
    access_constraints: list[AccessConstraints] = field(
        default_factory=list,
        metadata={
            "name": "AccessConstraints",
            "type": "Element",
        },
    )
access_constraints = field(default_factory=list, metadata={'name': 'AccessConstraints', 'type': 'Element'}) class-attribute instance-attribute
fees = field(default=None, metadata={'name': 'Fees', 'type': 'Element'}) class-attribute instance-attribute
profile = field(default_factory=list, metadata={'name': 'Profile', 'type': 'Element'}) class-attribute instance-attribute
service_type = field(default=None, metadata={'name': 'ServiceType', 'type': 'Element', 'required': True}) class-attribute instance-attribute
service_type_version = field(default_factory=list, metadata={'name': 'ServiceTypeVersion', 'type': 'Element', 'min_occurs': 1, 'pattern': '\\d+\\.\\d?\\d\\.\\d?\\d'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/service_identification.py
48
49
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(title=list(), abstract=list(), keywords=list(), service_type=None, service_type_version=list(), profile=list(), fees=None, access_constraints=list())
service_provider
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
ServiceProvider dataclass

Metadata about the organization that provides this specific service instance or server.

:ivar provider_name: A unique identifier for the service provider organization. :ivar provider_site: Reference to the most relevant web site of the service provider. :ivar service_contact: Information for contacting the service provider. The OnlineResource element within this ServiceContact element should not be used to reference a web site of the service provider.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/service_provider.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
@dataclass
class ServiceProvider:
    """
    Metadata about the organization that provides this specific service instance or
    server.

    :ivar provider_name: A unique identifier for the service provider
        organization.
    :ivar provider_site: Reference to the most relevant web site of the
        service provider.
    :ivar service_contact: Information for contacting the service
        provider. The OnlineResource element within this ServiceContact
        element should not be used to reference a web site of the
        service provider.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    provider_name: Optional[str] = field(
        default=None,
        metadata={
            "name": "ProviderName",
            "type": "Element",
            "required": True,
        },
    )
    provider_site: Optional[OnlineResourceType] = field(
        default=None,
        metadata={
            "name": "ProviderSite",
            "type": "Element",
        },
    )
    service_contact: Optional[ResponsiblePartySubsetType] = field(
        default=None,
        metadata={
            "name": "ServiceContact",
            "type": "Element",
            "required": True,
        },
    )
provider_name = field(default=None, metadata={'name': 'ProviderName', 'type': 'Element', 'required': True}) class-attribute instance-attribute
provider_site = field(default=None, metadata={'name': 'ProviderSite', 'type': 'Element'}) class-attribute instance-attribute
service_contact = field(default=None, metadata={'name': 'ServiceContact', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/service_provider.py
30
31
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(provider_name=None, provider_site=None, service_contact=None)
service_reference
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
ServiceReference dataclass

Bases: ServiceReferenceType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/service_reference.py
10
11
12
13
@dataclass
class ServiceReference(ServiceReferenceType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/service_reference.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None, identifier=None, abstract=list(), format=None, metadata=list(), request_message=None, request_message_reference=None)
service_reference_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
ServiceReferenceType dataclass

Bases: ReferenceType

Complete reference to a remote resource that needs to be retrieved from an OWS using an XML-encoded operation request.

This element shall be used, within an InputData or Manifest element that is used for input data, when that input data needs to be retrieved from another web service using a XML-encoded OWS operation request. This element shall not be used for local payload input data or for requesting the resource from a web server using HTTP Get.

:ivar request_message: The XML-encoded operation request message to be sent to request this input data from another web server using HTTP Post. :ivar request_message_reference: Reference to the XML-encoded operation request message to be sent to request this input data from another web server using HTTP Post. The referenced message shall be attached to the same message (using the cid scheme), or be accessible using a URL.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/service_reference_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
@dataclass
class ServiceReferenceType(ReferenceType):
    """Complete reference to a remote resource that needs to be retrieved from an
    OWS using an XML-encoded operation request.

    This element shall be used, within an InputData or Manifest element
    that is used for input data, when that input data needs to be
    retrieved from another web service using a XML-encoded OWS operation
    request. This element shall not be used for local payload input data
    or for requesting the resource from a web server using HTTP Get.

    :ivar request_message: The XML-encoded operation request message to
        be sent to request this input data from another web server using
        HTTP Post.
    :ivar request_message_reference: Reference to the XML-encoded
        operation request message to be sent to request this input data
        from another web server using HTTP Post. The referenced message
        shall be attached to the same message (using the cid scheme), or
        be accessible using a URL.
    """

    request_message: Optional[object] = field(
        default=None,
        metadata={
            "name": "RequestMessage",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    request_message_reference: Optional[str] = field(
        default=None,
        metadata={
            "name": "RequestMessageReference",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
request_message = field(default=None, metadata={'name': 'RequestMessage', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
request_message_reference = field(default=None, metadata={'name': 'RequestMessageReference', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None, identifier=None, abstract=list(), format=None, metadata=list(), request_message=None, request_message_reference=None)
spacing
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
Spacing dataclass

Bases: ValueType

The regular distance or spacing between the allowed values in a range.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/spacing.py
10
11
12
13
14
15
16
17
@dataclass
class Spacing(ValueType):
    """
    The regular distance or spacing between the allowed values in a range.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/spacing.py
16
17
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
supported_crs
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
SupportedCrs dataclass

Coordinate reference system in which data from this data(set) or resource is available or supported.

More specific parameter names should be used by specific OWS specifications wherever applicable. More than one such parameter can be included for different purposes.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/supported_crs.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
@dataclass
class SupportedCrs:
    """Coordinate reference system in which data from this data(set) or resource is
    available or supported.

    More specific parameter names should be used by specific OWS
    specifications wherever applicable. More than one such parameter can
    be included for different purposes.
    """

    class Meta:
        name = "SupportedCRS"
        namespace = "http://www.opengis.net/ows/1.1"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/supported_crs.py
16
17
18
class Meta:
    name = "SupportedCRS"
    namespace = "http://www.opengis.net/ows/1.1"
name = 'SupportedCRS' class-attribute instance-attribute
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
telephone_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
TelephoneType dataclass

Telephone numbers for contacting the responsible individual or organization.

:ivar voice: Telephone number by which individuals can speak to the responsible organization or individual. :ivar facsimile: Telephone number of a facsimile machine for the responsible organization or individual.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/telephone_type.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
@dataclass
class TelephoneType:
    """
    Telephone numbers for contacting the responsible individual or organization.

    :ivar voice: Telephone number by which individuals can speak to the
        responsible organization or individual.
    :ivar facsimile: Telephone number of a facsimile machine for the
        responsible organization or individual.
    """

    voice: list[str] = field(
        default_factory=list,
        metadata={
            "name": "Voice",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    facsimile: list[str] = field(
        default_factory=list,
        metadata={
            "name": "Facsimile",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
facsimile = field(default_factory=list, metadata={'name': 'Facsimile', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
voice = field(default_factory=list, metadata={'name': 'Voice', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(voice=list(), facsimile=list())
title
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
Title dataclass

Bases: LanguageStringType

Title of this resource, normally used for display to a human.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/title.py
10
11
12
13
14
15
16
17
@dataclass
class Title(LanguageStringType):
    """
    Title of this resource, normally used for display to a human.
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/title.py
16
17
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='', lang=None)
un_named_domain_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
UnNamedDomainType dataclass

Valid domain (or allowed set of values) of one quantity, with needed metadata but without a quantity name or identifier.

:ivar allowed_values: :ivar any_value: :ivar no_values: :ivar values_reference: :ivar default_value: Optional default value for this quantity, which should be included when this quantity has a default value. :ivar meaning: Meaning metadata should be referenced or included for each quantity. :ivar data_type: This data type metadata should be referenced or included for each quantity. :ivar uom: Identifier of unit of measure of this set of values. Should be included then this set of values has units (and not a more complete reference system). :ivar reference_system: Identifier of reference system used by this set of values. Should be included then this set of values has a reference system (not just units). :ivar metadata: Optional unordered list of other metadata about this quantity. A list of required and optional other metadata elements for this quantity should be specified in the Implementation Specification for this service.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/un_named_domain_type.py
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
@dataclass
class UnNamedDomainType:
    """
    Valid domain (or allowed set of values) of one quantity, with needed metadata
    but without a quantity name or identifier.

    :ivar allowed_values:
    :ivar any_value:
    :ivar no_values:
    :ivar values_reference:
    :ivar default_value: Optional default value for this quantity, which
        should be included when this quantity has a default value.
    :ivar meaning: Meaning metadata should be referenced or included for
        each quantity.
    :ivar data_type: This data type metadata should be referenced or
        included for each quantity.
    :ivar uom: Identifier of unit of measure of this set of values.
        Should be included then this set of values has units (and not a
        more complete reference system).
    :ivar reference_system: Identifier of reference system used by this
        set of values. Should be included then this set of values has a
        reference system (not just units).
    :ivar metadata: Optional unordered list of other metadata about this
        quantity. A list of required and optional other metadata
        elements for this quantity should be specified in the
        Implementation Specification for this service.
    """

    allowed_values: Optional[AllowedValues] = field(
        default=None,
        metadata={
            "name": "AllowedValues",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    any_value: Optional[AnyValue] = field(
        default=None,
        metadata={
            "name": "AnyValue",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    no_values: Optional[NoValues] = field(
        default=None,
        metadata={
            "name": "NoValues",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    values_reference: Optional[ValuesReference] = field(
        default=None,
        metadata={
            "name": "ValuesReference",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    default_value: Optional[DefaultValue] = field(
        default=None,
        metadata={
            "name": "DefaultValue",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    meaning: Optional[Meaning] = field(
        default=None,
        metadata={
            "name": "Meaning",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    data_type: Optional[DataType] = field(
        default=None,
        metadata={
            "name": "DataType",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    uom: Optional[Uom] = field(
        default=None,
        metadata={
            "name": "UOM",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    reference_system: Optional[ReferenceSystem] = field(
        default=None,
        metadata={
            "name": "ReferenceSystem",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    metadata: list[Metadata] = field(
        default_factory=list,
        metadata={
            "name": "Metadata",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
allowed_values = field(default=None, metadata={'name': 'AllowedValues', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
any_value = field(default=None, metadata={'name': 'AnyValue', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
data_type = field(default=None, metadata={'name': 'DataType', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
default_value = field(default=None, metadata={'name': 'DefaultValue', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
meaning = field(default=None, metadata={'name': 'Meaning', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
metadata = field(default_factory=list, metadata={'name': 'Metadata', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
no_values = field(default=None, metadata={'name': 'NoValues', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
reference_system = field(default=None, metadata={'name': 'ReferenceSystem', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
uom = field(default=None, metadata={'name': 'UOM', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
values_reference = field(default=None, metadata={'name': 'ValuesReference', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(allowed_values=None, any_value=None, no_values=None, values_reference=None, default_value=None, meaning=None, data_type=None, uom=None, reference_system=None, metadata=list())
uom
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
Uom dataclass

Bases: DomainMetadataType

Definition of the unit of measure of this set of values.

In this case, the xlink:href attribute can reference a URN for a well-known unit of measure (uom). For example, such a URN could be a UOM identification URN defined in the "ogc" URN namespace.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/uom.py
10
11
12
13
14
15
16
17
18
19
20
21
@dataclass
class Uom(DomainMetadataType):
    """Definition of the unit of measure of this set of values.

    In this case, the xlink:href attribute can reference a URN for a
    well-known unit of measure (uom). For example, such a URN could be a
    UOM identification URN defined in the "ogc" URN namespace.
    """

    class Meta:
        name = "UOM"
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/uom.py
19
20
21
class Meta:
    name = "UOM"
    namespace = "http://www.opengis.net/ows/1.1"
name = 'UOM' class-attribute instance-attribute
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='', reference=None)
value
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
Value dataclass

Bases: ValueType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/value.py
10
11
12
13
@dataclass
class Value(ValueType):
    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/value.py
12
13
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='')
value_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
ValueType dataclass

A single value, encoded as a string.

This type can be used for one value, for a spacing between allowed values, or for the default value of a parameter.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/value_type.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
@dataclass
class ValueType:
    """A single value, encoded as a string.

    This type can be used for one value, for a spacing between allowed
    values, or for the default value of a parameter.
    """

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
__init__(value='')
values_reference
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
ValuesReference dataclass

Reference to externally specified list of all the valid values and/or ranges of values for this quantity.

(Informative: This element was simplified from the metaDataProperty element in GML 3.0.)

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/values_reference.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
@dataclass
class ValuesReference:
    """Reference to externally specified list of all the valid values and/or ranges
    of values for this quantity.

    (Informative: This element was simplified from the metaDataProperty
    element in GML 3.0.)
    """

    class Meta:
        namespace = "http://www.opengis.net/ows/1.1"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
    reference: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.opengis.net/ows/1.1",
            "required": True,
        },
    )
reference = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.opengis.net/ows/1.1', 'required': True}) class-attribute instance-attribute
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/values_reference.py
16
17
class Meta:
    namespace = "http://www.opengis.net/ows/1.1"
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(value='', reference=None)
wgs84_bounding_box
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
Wgs84BoundingBox dataclass

Bases: Wgs84BoundingBoxType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/wgs84_bounding_box.py
10
11
12
13
14
@dataclass
class Wgs84BoundingBox(Wgs84BoundingBoxType):
    class Meta:
        name = "WGS84BoundingBox"
        namespace = "http://www.opengis.net/ows/1.1"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/wgs84_bounding_box.py
12
13
14
class Meta:
    name = "WGS84BoundingBox"
    namespace = "http://www.opengis.net/ows/1.1"
name = 'WGS84BoundingBox' class-attribute instance-attribute
namespace = 'http://www.opengis.net/ows/1.1' class-attribute instance-attribute
__init__(lower_corner=list(), upper_corner=list(), crs=None, dimensions=None)
wgs84_bounding_box_type
__NAMESPACE__ = 'http://www.opengis.net/ows/1.1' module-attribute
Wgs84BoundingBoxType dataclass

Bases: BoundingBoxType

XML encoded minimum rectangular bounding box (or region) parameter, surrounding all the associated data.

This box is specialized for use with the 2D WGS 84 coordinate reference system with decimal values of longitude and latitude. This type is adapted from the general BoundingBoxType, with modified contents and documentation for use with the 2D WGS 84 coordinate reference system.

:ivar crs: This attribute can be included when considered useful. When included, this attribute shall reference the 2D WGS 84 coordinate reference system with longitude before latitude and decimal values of longitude and latitude. :ivar dimensions: The number of dimensions in this CRS (the length of a coordinate sequence in this use of the PositionType). This number is specified by the CRS definition, but can also be specified here.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/wgs84_bounding_box_type.py
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
@dataclass
class Wgs84BoundingBoxType(BoundingBoxType):
    """XML encoded minimum rectangular bounding box (or region) parameter,
    surrounding all the associated data.

    This box is specialized for use with the 2D WGS 84 coordinate
    reference system with decimal values of longitude and latitude. This
    type is adapted from the general BoundingBoxType, with modified
    contents and documentation for use with the 2D WGS 84 coordinate
    reference system.

    :ivar crs: This attribute can be included when considered useful.
        When included, this attribute shall reference the 2D WGS 84
        coordinate reference system with longitude before latitude and
        decimal values of longitude and latitude.
    :ivar dimensions: The number of dimensions in this CRS (the length
        of a coordinate sequence in this use of the PositionType). This
        number is specified by the CRS definition, but can also be
        specified here.
    """

    class Meta:
        name = "WGS84BoundingBoxType"

    crs: str = field(
        init=False,
        default="urn:ogc:def:crs:OGC:2:84",
        metadata={
            "type": "Attribute",
        },
    )
    dimensions: int = field(
        init=False,
        default=2,
        metadata={
            "type": "Attribute",
        },
    )
crs = field(init=False, default='urn:ogc:def:crs:OGC:2:84', metadata={'type': 'Attribute'}) class-attribute instance-attribute
dimensions = field(init=False, default=2, metadata={'type': 'Attribute'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/ows/pkg_1/wgs84_bounding_box_type.py
31
32
class Meta:
    name = "WGS84BoundingBoxType"
name = 'WGS84BoundingBoxType' class-attribute instance-attribute
__init__(lower_corner=list(), upper_corner=list(), crs=None, dimensions=None)
wfs
pkg_2
__all__ = ['Abstract', 'AbstractTransactionAction', 'AbstractTransactionActionType', 'ActionResultsType', 'AllSomeType', 'BaseRequestType', 'BoundedBy', 'CreateStoredQuery', 'CreateStoredQueryResponse', 'CreateStoredQueryResponseType', 'CreateStoredQueryType', 'CreatedOrModifiedFeatureType', 'Delete', 'DeleteType', 'DescribeFeatureType', 'DescribeFeatureTypeType', 'DescribeStoredQueries', 'DescribeStoredQueriesResponse', 'DescribeStoredQueriesResponseType', 'DescribeStoredQueriesType', 'DropStoredQuery', 'DropStoredQueryResponse', 'Element', 'ElementType', 'EmptyType', 'EnvelopePropertyType', 'ExecutionStatusType', 'ExtendedDescriptionType', 'FeatureTypeList', 'FeatureTypeListType', 'FeatureTypeType', 'FeaturesLockedType', 'FeaturesNotLockedType', 'GetCapabilities', 'GetCapabilitiesType', 'GetFeature', 'GetFeatureType', 'GetFeatureWithLock', 'GetFeatureWithLockType', 'GetPropertyValue', 'GetPropertyValueType', 'Insert', 'InsertType', 'ListStoredQueries', 'ListStoredQueriesResponse', 'ListStoredQueriesResponseType', 'ListStoredQueriesType', 'LockFeature', 'LockFeatureResponse', 'LockFeatureResponseType', 'LockFeatureType', 'FeatureCollection', 'FeatureCollectionType', 'MemberPropertyType', 'SimpleFeatureCollection', 'SimpleFeatureCollectionType', 'Tuple', 'TupleType', 'ValueCollection', 'ValueCollectionType', 'AdditionalObjects', 'AdditionalValues', 'Member', 'MetadataUrltype', 'Native', 'NativeType', 'NonNegativeIntegerOrUnknownValue', 'OutputFormatListType', 'ParameterExpressionType', 'ParameterType', 'Property', 'PropertyName', 'PropertyType', 'Query', 'QueryExpressionTextType', 'QueryType', 'Replace', 'ReplaceType', 'ResolveValueType', 'ResultTypeType', 'StarStringType', 'StateValueTypeValue', 'StoredQuery', 'StoredQueryDescriptionType', 'StoredQueryListItemType', 'StoredQueryType', 'Title', 'Transaction', 'TransactionResponse', 'TransactionResponseType', 'TransactionSummaryType', 'TransactionType', 'TruncatedResponse', 'Update', 'UpdateActionType', 'UpdateType', 'Value', 'ValueList', 'ValueListType', 'WfsCapabilities', 'WfsCapabilitiesType'] module-attribute
Abstract dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/abstract.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
@dataclass
class Abstract:
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
    lang: Union[str, LangValue] = field(
        default="en",
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/XML/1998/namespace",
        },
    )
lang = field(default='en', metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/XML/1998/namespace'}) class-attribute instance-attribute
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/abstract.py
13
14
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(value='', lang='en')
AbstractTransactionAction dataclass

Bases: AbstractTransactionActionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/abstract_transaction_action.py
10
11
12
13
@dataclass
class AbstractTransactionAction(AbstractTransactionActionType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/abstract_transaction_action.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(handle=None)
AbstractTransactionActionType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/abstract_transaction_action_type.py
 7
 8
 9
10
11
12
13
14
@dataclass
class AbstractTransactionActionType:
    handle: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
handle = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
__init__(handle=None)
ActionResultsType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/action_results_type.py
10
11
12
13
14
15
16
17
18
19
20
@dataclass
class ActionResultsType:
    feature: list[CreatedOrModifiedFeatureType] = field(
        default_factory=list,
        metadata={
            "name": "Feature",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "min_occurs": 1,
        },
    )
feature = field(default_factory=list, metadata={'name': 'Feature', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'min_occurs': 1}) class-attribute instance-attribute
__init__(feature=list())
AdditionalObjects dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
@dataclass
class AdditionalObjects:
    class Meta:
        name = "additionalObjects"
        namespace = "http://www.opengis.net/wfs/2.0"

    value_collection: Optional[ValueCollection] = field(
        default=None,
        metadata={
            "name": "ValueCollection",
            "type": "Element",
        },
    )
    feature_collection: Optional[FeatureCollection] = field(
        default=None,
        metadata={
            "name": "FeatureCollection",
            "type": "Element",
        },
    )
    simple_feature_collection: Optional[SimpleFeatureCollection] = field(
        default=None,
        metadata={
            "name": "SimpleFeatureCollection",
            "type": "Element",
        },
    )
feature_collection = field(default=None, metadata={'name': 'FeatureCollection', 'type': 'Element'}) class-attribute instance-attribute
simple_feature_collection = field(default=None, metadata={'name': 'SimpleFeatureCollection', 'type': 'Element'}) class-attribute instance-attribute
value_collection = field(default=None, metadata={'name': 'ValueCollection', 'type': 'Element'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
310
311
312
class Meta:
    name = "additionalObjects"
    namespace = "http://www.opengis.net/wfs/2.0"
name = 'additionalObjects' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(value_collection=None, feature_collection=None, simple_feature_collection=None)
AdditionalValues dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
@dataclass
class AdditionalValues:
    class Meta:
        name = "additionalValues"
        namespace = "http://www.opengis.net/wfs/2.0"

    value_collection: Optional[ValueCollection] = field(
        default=None,
        metadata={
            "name": "ValueCollection",
            "type": "Element",
        },
    )
    feature_collection: Optional[FeatureCollection] = field(
        default=None,
        metadata={
            "name": "FeatureCollection",
            "type": "Element",
        },
    )
    simple_feature_collection: Optional[SimpleFeatureCollection] = field(
        default=None,
        metadata={
            "name": "SimpleFeatureCollection",
            "type": "Element",
        },
    )
feature_collection = field(default=None, metadata={'name': 'FeatureCollection', 'type': 'Element'}) class-attribute instance-attribute
simple_feature_collection = field(default=None, metadata={'name': 'SimpleFeatureCollection', 'type': 'Element'}) class-attribute instance-attribute
value_collection = field(default=None, metadata={'name': 'ValueCollection', 'type': 'Element'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
339
340
341
class Meta:
    name = "additionalValues"
    namespace = "http://www.opengis.net/wfs/2.0"
name = 'additionalValues' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(value_collection=None, feature_collection=None, simple_feature_collection=None)
AllSomeType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/all_some_type.py
6
7
8
class AllSomeType(Enum):
    ALL = "ALL"
    SOME = "SOME"
ALL = 'ALL' class-attribute instance-attribute
SOME = 'SOME' class-attribute instance-attribute
BaseRequestType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/base_request_type.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
@dataclass
class BaseRequestType:
    service: str = field(
        init=False,
        default="WFS",
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    version: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
            "pattern": r"2\.0\.\d+",
        },
    )
    handle: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
handle = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
service = field(init=False, default='WFS', metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
version = field(default=None, metadata={'type': 'Attribute', 'required': True, 'pattern': '2\\.0\\.\\d+'}) class-attribute instance-attribute
__init__(version=None, handle=None)
BoundedBy dataclass

Bases: EnvelopePropertyType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/bounded_by.py
10
11
12
13
14
@dataclass
class BoundedBy(EnvelopePropertyType):
    class Meta:
        name = "boundedBy"
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/bounded_by.py
12
13
14
class Meta:
    name = "boundedBy"
    namespace = "http://www.opengis.net/wfs/2.0"
name = 'boundedBy' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(other_element=None)
CreateStoredQuery dataclass

Bases: CreateStoredQueryType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/create_stored_query.py
10
11
12
13
@dataclass
class CreateStoredQuery(CreateStoredQueryType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/create_stored_query.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(version=None, handle=None, stored_query_definition=list())
CreateStoredQueryResponse dataclass

Bases: CreateStoredQueryResponseType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/create_stored_query_response.py
10
11
12
13
@dataclass
class CreateStoredQueryResponse(CreateStoredQueryResponseType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/create_stored_query_response.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__()
CreateStoredQueryResponseType dataclass

Bases: ExecutionStatusType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/create_stored_query_response_type.py
10
11
12
@dataclass
class CreateStoredQueryResponseType(ExecutionStatusType):
    pass
__init__()
CreateStoredQueryType dataclass

Bases: BaseRequestType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/create_stored_query_type.py
13
14
15
16
17
18
19
20
21
22
@dataclass
class CreateStoredQueryType(BaseRequestType):
    stored_query_definition: list[StoredQueryDescriptionType] = field(
        default_factory=list,
        metadata={
            "name": "StoredQueryDefinition",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
stored_query_definition = field(default_factory=list, metadata={'name': 'StoredQueryDefinition', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(version=None, handle=None, stored_query_definition=list())
CreatedOrModifiedFeatureType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/created_or_modified_feature_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
@dataclass
class CreatedOrModifiedFeatureType:
    resource_id: list[ResourceId] = field(
        default_factory=list,
        metadata={
            "name": "ResourceId",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "min_occurs": 1,
        },
    )
    handle: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
handle = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
resource_id = field(default_factory=list, metadata={'name': 'ResourceId', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'min_occurs': 1}) class-attribute instance-attribute
__init__(resource_id=list(), handle=None)
Delete dataclass

Bases: DeleteType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/delete.py
10
11
12
13
@dataclass
class Delete(DeleteType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/delete.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(handle=None, filter=None, type_name=None)
DeleteType dataclass

Bases: AbstractTransactionActionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/delete_type.py
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
@dataclass
class DeleteType(AbstractTransactionActionType):
    filter: Optional[Filter] = field(
        default=None,
        metadata={
            "name": "Filter",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "required": True,
        },
    )
    type_name: Optional[QName] = field(
        default=None,
        metadata={
            "name": "typeName",
            "type": "Attribute",
            "required": True,
        },
    )
filter = field(default=None, metadata={'name': 'Filter', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'required': True}) class-attribute instance-attribute
type_name = field(default=None, metadata={'name': 'typeName', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
__init__(handle=None, filter=None, type_name=None)
DescribeFeatureType dataclass

Bases: DescribeFeatureTypeType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/describe_feature_type.py
10
11
12
13
@dataclass
class DescribeFeatureType(DescribeFeatureTypeType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/describe_feature_type.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(version=None, handle=None, type_name=list(), output_format='application/gml+xml; version=3.2')
DescribeFeatureTypeType dataclass

Bases: BaseRequestType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/describe_feature_type_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
@dataclass
class DescribeFeatureTypeType(BaseRequestType):
    type_name: list[QName] = field(
        default_factory=list,
        metadata={
            "name": "TypeName",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    output_format: str = field(
        default="application/gml+xml; version=3.2",
        metadata={
            "name": "outputFormat",
            "type": "Attribute",
        },
    )
output_format = field(default='application/gml+xml; version=3.2', metadata={'name': 'outputFormat', 'type': 'Attribute'}) class-attribute instance-attribute
type_name = field(default_factory=list, metadata={'name': 'TypeName', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(version=None, handle=None, type_name=list(), output_format='application/gml+xml; version=3.2')
DescribeStoredQueries dataclass

Bases: DescribeStoredQueriesType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/describe_stored_queries.py
10
11
12
13
@dataclass
class DescribeStoredQueries(DescribeStoredQueriesType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/describe_stored_queries.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(version=None, handle=None, stored_query_id=list())
DescribeStoredQueriesResponse dataclass

Bases: DescribeStoredQueriesResponseType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/describe_stored_queries_response.py
10
11
12
13
@dataclass
class DescribeStoredQueriesResponse(DescribeStoredQueriesResponseType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/describe_stored_queries_response.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(stored_query_description=list())
DescribeStoredQueriesResponseType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/describe_stored_queries_response_type.py
10
11
12
13
14
15
16
17
18
19
@dataclass
class DescribeStoredQueriesResponseType:
    stored_query_description: list[StoredQueryDescriptionType] = field(
        default_factory=list,
        metadata={
            "name": "StoredQueryDescription",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
stored_query_description = field(default_factory=list, metadata={'name': 'StoredQueryDescription', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(stored_query_description=list())
DescribeStoredQueriesType dataclass

Bases: BaseRequestType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/describe_stored_queries_type.py
10
11
12
13
14
15
16
17
18
19
@dataclass
class DescribeStoredQueriesType(BaseRequestType):
    stored_query_id: list[str] = field(
        default_factory=list,
        metadata={
            "name": "StoredQueryId",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
stored_query_id = field(default_factory=list, metadata={'name': 'StoredQueryId', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(version=None, handle=None, stored_query_id=list())
DropStoredQuery dataclass

Bases: BaseRequestType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/drop_stored_query.py
11
12
13
14
15
16
17
18
19
20
21
22
@dataclass
class DropStoredQuery(BaseRequestType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"

    id: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
id = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/drop_stored_query.py
13
14
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(version=None, handle=None, id=None)
DropStoredQueryResponse dataclass

Bases: ExecutionStatusType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/drop_stored_query_response.py
10
11
12
13
@dataclass
class DropStoredQueryResponse(ExecutionStatusType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/drop_stored_query_response.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__()
Element dataclass

Bases: ElementType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/element.py
10
11
12
13
@dataclass
class Element(ElementType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/element.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(metadata=None, value_list=None, name=None, type_value=None)
ElementType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/element_type.py
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
@dataclass
class ElementType:
    metadata: Optional[Metadata] = field(
        default=None,
        metadata={
            "name": "Metadata",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
            "required": True,
        },
    )
    value_list: Optional[ValueList] = field(
        default=None,
        metadata={
            "name": "ValueList",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "required": True,
        },
    )
    name: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    type_value: Optional[QName] = field(
        default=None,
        metadata={
            "name": "type",
            "type": "Attribute",
            "required": True,
        },
    )
metadata = field(default=None, metadata={'name': 'Metadata', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1', 'required': True}) class-attribute instance-attribute
name = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
type_value = field(default=None, metadata={'name': 'type', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
value_list = field(default=None, metadata={'name': 'ValueList', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'required': True}) class-attribute instance-attribute
__init__(metadata=None, value_list=None, name=None, type_value=None)
EmptyType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/empty_type.py
6
7
8
@dataclass
class EmptyType:
    pass
__init__()
EnvelopePropertyType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/envelope_property_type.py
 7
 8
 9
10
11
12
13
14
15
@dataclass
class EnvelopePropertyType:
    other_element: Optional[object] = field(
        default=None,
        metadata={
            "type": "Wildcard",
            "namespace": "##other",
        },
    )
other_element = field(default=None, metadata={'type': 'Wildcard', 'namespace': '##other'}) class-attribute instance-attribute
__init__(other_element=None)
ExecutionStatusType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/execution_status_type.py
 6
 7
 8
 9
10
11
12
13
14
@dataclass
class ExecutionStatusType:
    status: str = field(
        init=False,
        default="OK",
        metadata={
            "type": "Attribute",
        },
    )
status = field(init=False, default='OK', metadata={'type': 'Attribute'}) class-attribute instance-attribute
__init__()
ExtendedDescriptionType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/extended_description_type.py
 8
 9
10
11
12
13
14
15
16
17
18
@dataclass
class ExtendedDescriptionType:
    element: list[Element] = field(
        default_factory=list,
        metadata={
            "name": "Element",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "min_occurs": 1,
        },
    )
element = field(default_factory=list, metadata={'name': 'Element', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'min_occurs': 1}) class-attribute instance-attribute
__init__(element=list())
FeatureCollection dataclass

Bases: FeatureCollectionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
302
303
304
305
@dataclass
class FeatureCollection(FeatureCollectionType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
304
305
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(bounded_by=None, member=list(), additional_objects=None, truncated_response=None, time_stamp=None, number_matched=None, number_returned=None, next=None, previous=None, lock_id=None)
FeatureCollectionType dataclass

Bases: SimpleFeatureCollectionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
@dataclass
class FeatureCollectionType(SimpleFeatureCollectionType):
    additional_objects: Optional["AdditionalObjects"] = field(
        default=None,
        metadata={
            "name": "additionalObjects",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    truncated_response: Optional[TruncatedResponse] = field(
        default=None,
        metadata={
            "name": "truncatedResponse",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    time_stamp: Optional[XmlDateTime] = field(
        default=None,
        metadata={
            "name": "timeStamp",
            "type": "Attribute",
            "required": True,
        },
    )
    number_matched: Optional[Union[int, NonNegativeIntegerOrUnknownValue]] = field(
        default=None,
        metadata={
            "name": "numberMatched",
            "type": "Attribute",
            "required": True,
        },
    )
    number_returned: Optional[int] = field(
        default=None,
        metadata={
            "name": "numberReturned",
            "type": "Attribute",
            "required": True,
        },
    )
    next: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
    previous: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
    lock_id: Optional[str] = field(
        default=None,
        metadata={
            "name": "lockId",
            "type": "Attribute",
        },
    )
additional_objects = field(default=None, metadata={'name': 'additionalObjects', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
lock_id = field(default=None, metadata={'name': 'lockId', 'type': 'Attribute'}) class-attribute instance-attribute
next = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
number_matched = field(default=None, metadata={'name': 'numberMatched', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
number_returned = field(default=None, metadata={'name': 'numberReturned', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
previous = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
time_stamp = field(default=None, metadata={'name': 'timeStamp', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
truncated_response = field(default=None, metadata={'name': 'truncatedResponse', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(bounded_by=None, member=list(), additional_objects=None, truncated_response=None, time_stamp=None, number_matched=None, number_returned=None, next=None, previous=None, lock_id=None)
FeatureTypeList dataclass

Bases: FeatureTypeListType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/feature_type_list.py
10
11
12
13
@dataclass
class FeatureTypeList(FeatureTypeListType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/feature_type_list.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(feature_type=list())
FeatureTypeListType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/feature_type_list_type.py
10
11
12
13
14
15
16
17
18
19
20
@dataclass
class FeatureTypeListType:
    feature_type: list[FeatureTypeType] = field(
        default_factory=list,
        metadata={
            "name": "FeatureType",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "min_occurs": 1,
        },
    )
feature_type = field(default_factory=list, metadata={'name': 'FeatureType', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'min_occurs': 1}) class-attribute instance-attribute
__init__(feature_type=list())
FeatureTypeType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/feature_type_type.py
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
@dataclass
class FeatureTypeType:
    name: Optional[QName] = field(
        default=None,
        metadata={
            "name": "Name",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "required": True,
        },
    )
    title: list[Title] = field(
        default_factory=list,
        metadata={
            "name": "Title",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    abstract: list[Abstract] = field(
        default_factory=list,
        metadata={
            "name": "Abstract",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    keywords: list[Keywords] = field(
        default_factory=list,
        metadata={
            "name": "Keywords",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    default_crs: Optional[str] = field(
        default=None,
        metadata={
            "name": "DefaultCRS",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    other_crs: list[str] = field(
        default_factory=list,
        metadata={
            "name": "OtherCRS",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    no_crs: Optional[object] = field(
        default=None,
        metadata={
            "name": "NoCRS",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    output_formats: Optional[OutputFormatListType] = field(
        default=None,
        metadata={
            "name": "OutputFormats",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    wgs84_bounding_box: list[Wgs84BoundingBox] = field(
        default_factory=list,
        metadata={
            "name": "WGS84BoundingBox",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    metadata_url: list[MetadataUrltype] = field(
        default_factory=list,
        metadata={
            "name": "MetadataURL",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    extended_description: Optional[ExtendedDescriptionType] = field(
        default=None,
        metadata={
            "name": "ExtendedDescription",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
abstract = field(default_factory=list, metadata={'name': 'Abstract', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
default_crs = field(default=None, metadata={'name': 'DefaultCRS', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
extended_description = field(default=None, metadata={'name': 'ExtendedDescription', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
keywords = field(default_factory=list, metadata={'name': 'Keywords', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
metadata_url = field(default_factory=list, metadata={'name': 'MetadataURL', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
name = field(default=None, metadata={'name': 'Name', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'required': True}) class-attribute instance-attribute
no_crs = field(default=None, metadata={'name': 'NoCRS', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
other_crs = field(default_factory=list, metadata={'name': 'OtherCRS', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
output_formats = field(default=None, metadata={'name': 'OutputFormats', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
title = field(default_factory=list, metadata={'name': 'Title', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
wgs84_bounding_box = field(default_factory=list, metadata={'name': 'WGS84BoundingBox', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(name=None, title=list(), abstract=list(), keywords=list(), default_crs=None, other_crs=list(), no_crs=None, output_formats=None, wgs84_bounding_box=list(), metadata_url=list(), extended_description=None)
FeaturesLockedType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/features_locked_type.py
10
11
12
13
14
15
16
17
18
19
20
@dataclass
class FeaturesLockedType:
    resource_id: list[ResourceId] = field(
        default_factory=list,
        metadata={
            "name": "ResourceId",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "min_occurs": 1,
        },
    )
resource_id = field(default_factory=list, metadata={'name': 'ResourceId', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'min_occurs': 1}) class-attribute instance-attribute
__init__(resource_id=list())
FeaturesNotLockedType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/features_not_locked_type.py
10
11
12
13
14
15
16
17
18
19
20
@dataclass
class FeaturesNotLockedType:
    resource_id: list[ResourceId] = field(
        default_factory=list,
        metadata={
            "name": "ResourceId",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "min_occurs": 1,
        },
    )
resource_id = field(default_factory=list, metadata={'name': 'ResourceId', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'min_occurs': 1}) class-attribute instance-attribute
__init__(resource_id=list())
GetCapabilities dataclass

Bases: GetCapabilitiesType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_capabilities.py
10
11
12
13
@dataclass
class GetCapabilities(GetCapabilitiesType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_capabilities.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(accept_versions=None, sections=None, accept_formats=None, update_sequence=None)
GetCapabilitiesType dataclass

Bases: GetCapabilitiesType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_capabilities_type.py
10
11
12
13
14
15
16
17
18
19
@dataclass
class GetCapabilitiesType(GetCapabilitiesTypeGetCapabilitiesType):
    service: str = field(
        init=False,
        default="WFS",
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
service = field(init=False, default='WFS', metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
__init__(accept_versions=None, sections=None, accept_formats=None, update_sequence=None)
GetFeature dataclass

Bases: GetFeatureType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_feature.py
10
11
12
13
@dataclass
class GetFeature(GetFeatureType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_feature.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(version=None, handle=None, stored_query=list(), query=list(), start_index=0, count=None, result_type=ResultTypeType.RESULTS, output_format='application/gml+xml; version=3.2', resolve=ResolveValueType.NONE, resolve_depth=StarStringType.ASTERISK, resolve_timeout=300)
GetFeatureType dataclass

Bases: BaseRequestType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_feature_type.py
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
@dataclass
class GetFeatureType(BaseRequestType):
    stored_query: list[StoredQuery] = field(
        default_factory=list,
        metadata={
            "name": "StoredQuery",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    query: list[Query] = field(
        default_factory=list,
        metadata={
            "name": "Query",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    start_index: int = field(
        default=0,
        metadata={
            "name": "startIndex",
            "type": "Attribute",
        },
    )
    count: Optional[int] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
    result_type: ResultTypeType = field(
        default=ResultTypeType.RESULTS,
        metadata={
            "name": "resultType",
            "type": "Attribute",
        },
    )
    output_format: str = field(
        default="application/gml+xml; version=3.2",
        metadata={
            "name": "outputFormat",
            "type": "Attribute",
        },
    )
    resolve: ResolveValueType = field(
        default=ResolveValueType.NONE,
        metadata={
            "type": "Attribute",
        },
    )
    resolve_depth: Union[int, StarStringType] = field(
        default=StarStringType.ASTERISK,
        metadata={
            "name": "resolveDepth",
            "type": "Attribute",
        },
    )
    resolve_timeout: int = field(
        default=300,
        metadata={
            "name": "resolveTimeout",
            "type": "Attribute",
        },
    )
count = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
output_format = field(default='application/gml+xml; version=3.2', metadata={'name': 'outputFormat', 'type': 'Attribute'}) class-attribute instance-attribute
query = field(default_factory=list, metadata={'name': 'Query', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
resolve = field(default=ResolveValueType.NONE, metadata={'type': 'Attribute'}) class-attribute instance-attribute
resolve_depth = field(default=StarStringType.ASTERISK, metadata={'name': 'resolveDepth', 'type': 'Attribute'}) class-attribute instance-attribute
resolve_timeout = field(default=300, metadata={'name': 'resolveTimeout', 'type': 'Attribute'}) class-attribute instance-attribute
result_type = field(default=ResultTypeType.RESULTS, metadata={'name': 'resultType', 'type': 'Attribute'}) class-attribute instance-attribute
start_index = field(default=0, metadata={'name': 'startIndex', 'type': 'Attribute'}) class-attribute instance-attribute
stored_query = field(default_factory=list, metadata={'name': 'StoredQuery', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(version=None, handle=None, stored_query=list(), query=list(), start_index=0, count=None, result_type=ResultTypeType.RESULTS, output_format='application/gml+xml; version=3.2', resolve=ResolveValueType.NONE, resolve_depth=StarStringType.ASTERISK, resolve_timeout=300)
GetFeatureWithLock dataclass

Bases: GetFeatureWithLockType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_feature_with_lock.py
10
11
12
13
@dataclass
class GetFeatureWithLock(GetFeatureWithLockType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_feature_with_lock.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(version=None, handle=None, stored_query=list(), query=list(), start_index=0, count=None, result_type=ResultTypeType.RESULTS, output_format='application/gml+xml; version=3.2', resolve=ResolveValueType.NONE, resolve_depth=StarStringType.ASTERISK, resolve_timeout=300, expiry=300, lock_action=AllSomeType.ALL)
GetFeatureWithLockType dataclass

Bases: GetFeatureType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_feature_with_lock_type.py
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
@dataclass
class GetFeatureWithLockType(GetFeatureType):
    expiry: int = field(
        default=300,
        metadata={
            "type": "Attribute",
        },
    )
    lock_action: AllSomeType = field(
        default=AllSomeType.ALL,
        metadata={
            "name": "lockAction",
            "type": "Attribute",
        },
    )
expiry = field(default=300, metadata={'type': 'Attribute'}) class-attribute instance-attribute
lock_action = field(default=AllSomeType.ALL, metadata={'name': 'lockAction', 'type': 'Attribute'}) class-attribute instance-attribute
__init__(version=None, handle=None, stored_query=list(), query=list(), start_index=0, count=None, result_type=ResultTypeType.RESULTS, output_format='application/gml+xml; version=3.2', resolve=ResolveValueType.NONE, resolve_depth=StarStringType.ASTERISK, resolve_timeout=300, expiry=300, lock_action=AllSomeType.ALL)
GetPropertyValue dataclass

Bases: GetPropertyValueType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_property_value.py
10
11
12
13
@dataclass
class GetPropertyValue(GetPropertyValueType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_property_value.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(version=None, handle=None, stored_query=None, query=None, value_reference=None, resolve_path=None, start_index=0, count=None, result_type=ResultTypeType.RESULTS, output_format='application/gml+xml; version=3.2', resolve=ResolveValueType.NONE, resolve_depth=StarStringType.ASTERISK, resolve_timeout=300)
GetPropertyValueType dataclass

Bases: BaseRequestType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_property_value_type.py
 24
 25
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
@dataclass
class GetPropertyValueType(BaseRequestType):
    stored_query: Optional[StoredQuery] = field(
        default=None,
        metadata={
            "name": "StoredQuery",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    query: Optional[Query] = field(
        default=None,
        metadata={
            "name": "Query",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    value_reference: Optional[str] = field(
        default=None,
        metadata={
            "name": "valueReference",
            "type": "Attribute",
            "required": True,
        },
    )
    resolve_path: Optional[str] = field(
        default=None,
        metadata={
            "name": "resolvePath",
            "type": "Attribute",
        },
    )
    start_index: int = field(
        default=0,
        metadata={
            "name": "startIndex",
            "type": "Attribute",
        },
    )
    count: Optional[int] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
    result_type: ResultTypeType = field(
        default=ResultTypeType.RESULTS,
        metadata={
            "name": "resultType",
            "type": "Attribute",
        },
    )
    output_format: str = field(
        default="application/gml+xml; version=3.2",
        metadata={
            "name": "outputFormat",
            "type": "Attribute",
        },
    )
    resolve: ResolveValueType = field(
        default=ResolveValueType.NONE,
        metadata={
            "type": "Attribute",
        },
    )
    resolve_depth: Union[int, StarStringType] = field(
        default=StarStringType.ASTERISK,
        metadata={
            "name": "resolveDepth",
            "type": "Attribute",
        },
    )
    resolve_timeout: int = field(
        default=300,
        metadata={
            "name": "resolveTimeout",
            "type": "Attribute",
        },
    )
count = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
output_format = field(default='application/gml+xml; version=3.2', metadata={'name': 'outputFormat', 'type': 'Attribute'}) class-attribute instance-attribute
query = field(default=None, metadata={'name': 'Query', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
resolve = field(default=ResolveValueType.NONE, metadata={'type': 'Attribute'}) class-attribute instance-attribute
resolve_depth = field(default=StarStringType.ASTERISK, metadata={'name': 'resolveDepth', 'type': 'Attribute'}) class-attribute instance-attribute
resolve_path = field(default=None, metadata={'name': 'resolvePath', 'type': 'Attribute'}) class-attribute instance-attribute
resolve_timeout = field(default=300, metadata={'name': 'resolveTimeout', 'type': 'Attribute'}) class-attribute instance-attribute
result_type = field(default=ResultTypeType.RESULTS, metadata={'name': 'resultType', 'type': 'Attribute'}) class-attribute instance-attribute
start_index = field(default=0, metadata={'name': 'startIndex', 'type': 'Attribute'}) class-attribute instance-attribute
stored_query = field(default=None, metadata={'name': 'StoredQuery', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
value_reference = field(default=None, metadata={'name': 'valueReference', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
__init__(version=None, handle=None, stored_query=None, query=None, value_reference=None, resolve_path=None, start_index=0, count=None, result_type=ResultTypeType.RESULTS, output_format='application/gml+xml; version=3.2', resolve=ResolveValueType.NONE, resolve_depth=StarStringType.ASTERISK, resolve_timeout=300)
Insert dataclass

Bases: InsertType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/insert.py
10
11
12
13
@dataclass
class Insert(InsertType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/insert.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(handle=None, other_element=list(), input_format='application/gml+xml; version=3.2', srs_name=None)
InsertType dataclass

Bases: AbstractTransactionActionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/insert_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
@dataclass
class InsertType(AbstractTransactionActionType):
    other_element: list[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##other",
        },
    )
    input_format: str = field(
        default="application/gml+xml; version=3.2",
        metadata={
            "name": "inputFormat",
            "type": "Attribute",
        },
    )
    srs_name: Optional[str] = field(
        default=None,
        metadata={
            "name": "srsName",
            "type": "Attribute",
        },
    )
input_format = field(default='application/gml+xml; version=3.2', metadata={'name': 'inputFormat', 'type': 'Attribute'}) class-attribute instance-attribute
other_element = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##other'}) class-attribute instance-attribute
srs_name = field(default=None, metadata={'name': 'srsName', 'type': 'Attribute'}) class-attribute instance-attribute
__init__(handle=None, other_element=list(), input_format='application/gml+xml; version=3.2', srs_name=None)
ListStoredQueries dataclass

Bases: ListStoredQueriesType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/list_stored_queries.py
10
11
12
13
@dataclass
class ListStoredQueries(ListStoredQueriesType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/list_stored_queries.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(version=None, handle=None)
ListStoredQueriesResponse dataclass

Bases: ListStoredQueriesResponseType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/list_stored_queries_response.py
10
11
12
13
@dataclass
class ListStoredQueriesResponse(ListStoredQueriesResponseType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/list_stored_queries_response.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(stored_query=list())
ListStoredQueriesResponseType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/list_stored_queries_response_type.py
10
11
12
13
14
15
16
17
18
19
@dataclass
class ListStoredQueriesResponseType:
    stored_query: list[StoredQueryListItemType] = field(
        default_factory=list,
        metadata={
            "name": "StoredQuery",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
stored_query = field(default_factory=list, metadata={'name': 'StoredQuery', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(stored_query=list())
ListStoredQueriesType dataclass

Bases: BaseRequestType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/list_stored_queries_type.py
10
11
12
@dataclass
class ListStoredQueriesType(BaseRequestType):
    pass
__init__(version=None, handle=None)
LockFeature dataclass

Bases: LockFeatureType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/lock_feature.py
10
11
12
13
@dataclass
class LockFeature(LockFeatureType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/lock_feature.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(version=None, handle=None, stored_query=list(), query=list(), lock_id=None, expiry=300, lock_action=AllSomeType.ALL)
LockFeatureResponse dataclass

Bases: LockFeatureResponseType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/lock_feature_response.py
10
11
12
13
@dataclass
class LockFeatureResponse(LockFeatureResponseType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/lock_feature_response.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(features_locked=None, features_not_locked=None, lock_id=None)
LockFeatureResponseType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/lock_feature_response_type.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
@dataclass
class LockFeatureResponseType:
    features_locked: Optional[FeaturesLockedType] = field(
        default=None,
        metadata={
            "name": "FeaturesLocked",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    features_not_locked: Optional[FeaturesNotLockedType] = field(
        default=None,
        metadata={
            "name": "FeaturesNotLocked",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    lock_id: Optional[str] = field(
        default=None,
        metadata={
            "name": "lockId",
            "type": "Attribute",
        },
    )
features_locked = field(default=None, metadata={'name': 'FeaturesLocked', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
features_not_locked = field(default=None, metadata={'name': 'FeaturesNotLocked', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
lock_id = field(default=None, metadata={'name': 'lockId', 'type': 'Attribute'}) class-attribute instance-attribute
__init__(features_locked=None, features_not_locked=None, lock_id=None)
LockFeatureType dataclass

Bases: BaseRequestType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/lock_feature_type.py
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
@dataclass
class LockFeatureType(BaseRequestType):
    stored_query: list[StoredQuery] = field(
        default_factory=list,
        metadata={
            "name": "StoredQuery",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    query: list[Query] = field(
        default_factory=list,
        metadata={
            "name": "Query",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    lock_id: Optional[str] = field(
        default=None,
        metadata={
            "name": "lockId",
            "type": "Attribute",
        },
    )
    expiry: int = field(
        default=300,
        metadata={
            "type": "Attribute",
        },
    )
    lock_action: AllSomeType = field(
        default=AllSomeType.ALL,
        metadata={
            "name": "lockAction",
            "type": "Attribute",
        },
    )
expiry = field(default=300, metadata={'type': 'Attribute'}) class-attribute instance-attribute
lock_action = field(default=AllSomeType.ALL, metadata={'name': 'lockAction', 'type': 'Attribute'}) class-attribute instance-attribute
lock_id = field(default=None, metadata={'name': 'lockId', 'type': 'Attribute'}) class-attribute instance-attribute
query = field(default_factory=list, metadata={'name': 'Query', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
stored_query = field(default_factory=list, metadata={'name': 'StoredQuery', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(version=None, handle=None, stored_query=list(), query=list(), lock_id=None, expiry=300, lock_action=AllSomeType.ALL)
Member dataclass

Bases: MemberPropertyType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
189
190
191
192
193
@dataclass
class Member(MemberPropertyType):
    class Meta:
        name = "member"
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
191
192
193
class Meta:
    name = "member"
    namespace = "http://www.opengis.net/wfs/2.0"
name = 'member' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(state=None, href=None, role=None, arcrole=None, title=None, show=None, actuate=None, content=list())
MemberPropertyType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
@dataclass
class MemberPropertyType:
    state: Optional[Union[str, StateValueTypeValue]] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "pattern": r"other:\w{2,}",
        },
    )
    type_value: TypeType = field(
        init=False,
        default=TypeType.SIMPLE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    href: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    arcrole: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    show: Optional[ShowType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    actuate: Optional[ActuateType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    content: list[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
            "mixed": True,
            "choices": (
                {
                    "name": "Tuple",
                    "type": ForwardRef("Tuple"),
                    "namespace": "http://www.opengis.net/wfs/2.0",
                },
                {
                    "name": "FeatureCollection",
                    "type": ForwardRef("FeatureCollection"),
                    "namespace": "http://www.opengis.net/wfs/2.0",
                },
                {
                    "name": "SimpleFeatureCollection",
                    "type": ForwardRef("SimpleFeatureCollection"),
                    "namespace": "http://www.opengis.net/wfs/2.0",
                },
            ),
        },
    )
actuate = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
arcrole = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
content = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##any', 'mixed': True, 'choices': ({'name': 'Tuple', 'type': ForwardRef('Tuple'), 'namespace': 'http://www.opengis.net/wfs/2.0'}, {'name': 'FeatureCollection', 'type': ForwardRef('FeatureCollection'), 'namespace': 'http://www.opengis.net/wfs/2.0'}, {'name': 'SimpleFeatureCollection', 'type': ForwardRef('SimpleFeatureCollection'), 'namespace': 'http://www.opengis.net/wfs/2.0'})}) class-attribute instance-attribute
href = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
show = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
state = field(default=None, metadata={'type': 'Attribute', 'pattern': 'other:\\w{2,}'}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.SIMPLE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
__init__(state=None, href=None, role=None, arcrole=None, title=None, show=None, actuate=None, content=list())
MetadataUrltype dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/metadata_urltype.py
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
@dataclass
class MetadataUrltype:
    class Meta:
        name = "MetadataURLType"

    type_value: TypeType = field(
        init=False,
        default=TypeType.SIMPLE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    href: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    arcrole: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    show: Optional[ShowType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    actuate: Optional[ActuateType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    about: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
about = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
actuate = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
arcrole = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
href = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
show = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.SIMPLE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/metadata_urltype.py
19
20
class Meta:
    name = "MetadataURLType"
name = 'MetadataURLType' class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None, about=None)
Native dataclass

Bases: NativeType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/native.py
10
11
12
13
@dataclass
class Native(NativeType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/native.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(handle=None, vendor_id=None, safe_to_ignore=None, content=list())
NativeType dataclass

Bases: AbstractTransactionActionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/native_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
@dataclass
class NativeType(AbstractTransactionActionType):
    vendor_id: Optional[str] = field(
        default=None,
        metadata={
            "name": "vendorId",
            "type": "Attribute",
            "required": True,
        },
    )
    safe_to_ignore: Optional[bool] = field(
        default=None,
        metadata={
            "name": "safeToIgnore",
            "type": "Attribute",
            "required": True,
        },
    )
    content: list[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
            "mixed": True,
        },
    )
content = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##any', 'mixed': True}) class-attribute instance-attribute
safe_to_ignore = field(default=None, metadata={'name': 'safeToIgnore', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
vendor_id = field(default=None, metadata={'name': 'vendorId', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
__init__(handle=None, vendor_id=None, safe_to_ignore=None, content=list())
NonNegativeIntegerOrUnknownValue

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/non_negative_integer_or_unknown_value.py
6
7
class NonNegativeIntegerOrUnknownValue(Enum):
    UNKNOWN = "unknown"
UNKNOWN = 'unknown' class-attribute instance-attribute
OutputFormatListType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/output_format_list_type.py
 6
 7
 8
 9
10
11
12
13
14
15
16
@dataclass
class OutputFormatListType:
    format: list[str] = field(
        default_factory=list,
        metadata={
            "name": "Format",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "min_occurs": 1,
        },
    )
format = field(default_factory=list, metadata={'name': 'Format', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'min_occurs': 1}) class-attribute instance-attribute
__init__(format=list())
ParameterExpressionType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/parameter_expression_type.py
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
@dataclass
class ParameterExpressionType:
    title: list[Title] = field(
        default_factory=list,
        metadata={
            "name": "Title",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    abstract: list[Abstract] = field(
        default_factory=list,
        metadata={
            "name": "Abstract",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    metadata: list[Metadata] = field(
        default_factory=list,
        metadata={
            "name": "Metadata",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    name: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    type_value: Optional[QName] = field(
        default=None,
        metadata={
            "name": "type",
            "type": "Attribute",
            "required": True,
        },
    )
abstract = field(default_factory=list, metadata={'name': 'Abstract', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
metadata = field(default_factory=list, metadata={'name': 'Metadata', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
name = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
title = field(default_factory=list, metadata={'name': 'Title', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
type_value = field(default=None, metadata={'name': 'type', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
__init__(title=list(), abstract=list(), metadata=list(), name=None, type_value=None)
ParameterType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/parameter_type.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
@dataclass
class ParameterType:
    name: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    content: list[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
            "mixed": True,
        },
    )
content = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##any', 'mixed': True}) class-attribute instance-attribute
name = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
__init__(name=None, content=list())
Property dataclass

Bases: PropertyType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/property.py
10
11
12
13
@dataclass
class Property(PropertyType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/property.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(value_reference=None, value=None)
PropertyName dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/property_name.py
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
@dataclass
class PropertyName:
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"

    value: Optional[QName] = field(
        default=None,
        metadata={
            "required": True,
        },
    )
    resolve: ResolveValueType = field(
        default=ResolveValueType.NONE,
        metadata={
            "type": "Attribute",
        },
    )
    resolve_depth: Union[int, StarStringType] = field(
        default=StarStringType.ASTERISK,
        metadata={
            "name": "resolveDepth",
            "type": "Attribute",
        },
    )
    resolve_timeout: int = field(
        default=300,
        metadata={
            "name": "resolveTimeout",
            "type": "Attribute",
        },
    )
    resolve_path: Optional[str] = field(
        default=None,
        metadata={
            "name": "resolvePath",
            "type": "Attribute",
        },
    )
resolve = field(default=ResolveValueType.NONE, metadata={'type': 'Attribute'}) class-attribute instance-attribute
resolve_depth = field(default=StarStringType.ASTERISK, metadata={'name': 'resolveDepth', 'type': 'Attribute'}) class-attribute instance-attribute
resolve_path = field(default=None, metadata={'name': 'resolvePath', 'type': 'Attribute'}) class-attribute instance-attribute
resolve_timeout = field(default=300, metadata={'name': 'resolveTimeout', 'type': 'Attribute'}) class-attribute instance-attribute
value = field(default=None, metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/property_name.py
17
18
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(value=None, resolve=ResolveValueType.NONE, resolve_depth=StarStringType.ASTERISK, resolve_timeout=300, resolve_path=None)
PropertyType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/property_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
@dataclass
class PropertyType:
    value_reference: Optional["PropertyType.ValueReference"] = field(
        default=None,
        metadata={
            "name": "ValueReference",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "required": True,
        },
    )
    value: Optional[object] = field(
        default=None,
        metadata={
            "name": "Value",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )

    @dataclass
    class ValueReference:
        value: str = field(
            default="",
            metadata={
                "required": True,
            },
        )
        action: UpdateActionType = field(
            default=UpdateActionType.REPLACE,
            metadata={
                "type": "Attribute",
            },
        )
value = field(default=None, metadata={'name': 'Value', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
value_reference = field(default=None, metadata={'name': 'ValueReference', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'required': True}) class-attribute instance-attribute
ValueReference dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/property_type.py
31
32
33
34
35
36
37
38
39
40
41
42
43
44
@dataclass
class ValueReference:
    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
    action: UpdateActionType = field(
        default=UpdateActionType.REPLACE,
        metadata={
            "type": "Attribute",
        },
    )
action = field(default=UpdateActionType.REPLACE, metadata={'type': 'Attribute'}) class-attribute instance-attribute
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
__init__(value='', action=UpdateActionType.REPLACE)
__init__(value_reference=None, value=None)
Query dataclass

Bases: QueryType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/query.py
10
11
12
13
@dataclass
class Query(QueryType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/query.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(handle=None, property_name=list(), filter=None, sort_by=None, type_names=list(), aliases=list(), srs_name=None, feature_version=None)
QueryExpressionTextType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/query_expression_text_type.py
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
@dataclass
class QueryExpressionTextType:
    return_feature_types: list[QName] = field(
        default_factory=list,
        metadata={
            "name": "returnFeatureTypes",
            "type": "Attribute",
            "tokens": True,
        },
    )
    language: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    is_private: bool = field(
        default=False,
        metadata={
            "name": "isPrivate",
            "type": "Attribute",
        },
    )
    content: list[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
            "mixed": True,
        },
    )
content = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##any', 'mixed': True}) class-attribute instance-attribute
is_private = field(default=False, metadata={'name': 'isPrivate', 'type': 'Attribute'}) class-attribute instance-attribute
language = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
return_feature_types = field(default_factory=list, metadata={'name': 'returnFeatureTypes', 'type': 'Attribute', 'tokens': True}) class-attribute instance-attribute
__init__(return_feature_types=list(), language=None, is_private=False, content=list())
QueryType dataclass

Bases: AbstractAdhocQueryExpressionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/query_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
@dataclass
class QueryType(AbstractAdhocQueryExpressionType):
    srs_name: Optional[str] = field(
        default=None,
        metadata={
            "name": "srsName",
            "type": "Attribute",
        },
    )
    feature_version: Optional[str] = field(
        default=None,
        metadata={
            "name": "featureVersion",
            "type": "Attribute",
        },
    )
feature_version = field(default=None, metadata={'name': 'featureVersion', 'type': 'Attribute'}) class-attribute instance-attribute
srs_name = field(default=None, metadata={'name': 'srsName', 'type': 'Attribute'}) class-attribute instance-attribute
__init__(handle=None, property_name=list(), filter=None, sort_by=None, type_names=list(), aliases=list(), srs_name=None, feature_version=None)
Replace dataclass

Bases: ReplaceType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/replace.py
10
11
12
13
@dataclass
class Replace(ReplaceType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/replace.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(handle=None, other_element=None, filter=None, input_format='application/gml+xml; version=3.2', srs_name=None)
ReplaceType dataclass

Bases: AbstractTransactionActionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/replace_type.py
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
@dataclass
class ReplaceType(AbstractTransactionActionType):
    other_element: Optional[object] = field(
        default=None,
        metadata={
            "type": "Wildcard",
            "namespace": "##other",
        },
    )
    filter: Optional[Filter] = field(
        default=None,
        metadata={
            "name": "Filter",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "required": True,
        },
    )
    input_format: str = field(
        default="application/gml+xml; version=3.2",
        metadata={
            "name": "inputFormat",
            "type": "Attribute",
        },
    )
    srs_name: Optional[str] = field(
        default=None,
        metadata={
            "name": "srsName",
            "type": "Attribute",
        },
    )
filter = field(default=None, metadata={'name': 'Filter', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'required': True}) class-attribute instance-attribute
input_format = field(default='application/gml+xml; version=3.2', metadata={'name': 'inputFormat', 'type': 'Attribute'}) class-attribute instance-attribute
other_element = field(default=None, metadata={'type': 'Wildcard', 'namespace': '##other'}) class-attribute instance-attribute
srs_name = field(default=None, metadata={'name': 'srsName', 'type': 'Attribute'}) class-attribute instance-attribute
__init__(handle=None, other_element=None, filter=None, input_format='application/gml+xml; version=3.2', srs_name=None)
ResolveValueType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/resolve_value_type.py
 6
 7
 8
 9
10
class ResolveValueType(Enum):
    LOCAL = "local"
    REMOTE = "remote"
    ALL = "all"
    NONE = "none"
ALL = 'all' class-attribute instance-attribute
LOCAL = 'local' class-attribute instance-attribute
NONE = 'none' class-attribute instance-attribute
REMOTE = 'remote' class-attribute instance-attribute
ResultTypeType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/result_type_type.py
6
7
8
class ResultTypeType(Enum):
    RESULTS = "results"
    HITS = "hits"
HITS = 'hits' class-attribute instance-attribute
RESULTS = 'results' class-attribute instance-attribute
SimpleFeatureCollection dataclass

Bases: SimpleFeatureCollectionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
290
291
292
293
@dataclass
class SimpleFeatureCollection(SimpleFeatureCollectionType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
292
293
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(bounded_by=None, member=list())
SimpleFeatureCollectionType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
@dataclass
class SimpleFeatureCollectionType:
    bounded_by: Optional[BoundedBy] = field(
        default=None,
        metadata={
            "name": "boundedBy",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    member: list[Member] = field(
        default_factory=list,
        metadata={
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
bounded_by = field(default=None, metadata={'name': 'boundedBy', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
member = field(default_factory=list, metadata={'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(bounded_by=None, member=list())
StarStringType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/star_string_type.py
6
7
class StarStringType(Enum):
    ASTERISK = "*"
ASTERISK = '*' class-attribute instance-attribute
StateValueTypeValue

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/state_value_type_value.py
 6
 7
 8
 9
10
class StateValueTypeValue(Enum):
    VALID = "valid"
    SUPERSEDED = "superseded"
    RETIRED = "retired"
    FUTURE = "future"
FUTURE = 'future' class-attribute instance-attribute
RETIRED = 'retired' class-attribute instance-attribute
SUPERSEDED = 'superseded' class-attribute instance-attribute
VALID = 'valid' class-attribute instance-attribute
StoredQuery dataclass

Bases: StoredQueryType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/stored_query.py
10
11
12
13
@dataclass
class StoredQuery(StoredQueryType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/stored_query.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(handle=None, parameter=list(), id=None)
StoredQueryDescriptionType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/stored_query_description_type.py
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
@dataclass
class StoredQueryDescriptionType:
    title: list[Title] = field(
        default_factory=list,
        metadata={
            "name": "Title",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    abstract: list[Abstract] = field(
        default_factory=list,
        metadata={
            "name": "Abstract",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    metadata: list[Metadata] = field(
        default_factory=list,
        metadata={
            "name": "Metadata",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    parameter: list[ParameterExpressionType] = field(
        default_factory=list,
        metadata={
            "name": "Parameter",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    query_expression_text: list[QueryExpressionTextType] = field(
        default_factory=list,
        metadata={
            "name": "QueryExpressionText",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "min_occurs": 1,
        },
    )
    id: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
abstract = field(default_factory=list, metadata={'name': 'Abstract', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
id = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
metadata = field(default_factory=list, metadata={'name': 'Metadata', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
parameter = field(default_factory=list, metadata={'name': 'Parameter', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
query_expression_text = field(default_factory=list, metadata={'name': 'QueryExpressionText', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'min_occurs': 1}) class-attribute instance-attribute
title = field(default_factory=list, metadata={'name': 'Title', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(title=list(), abstract=list(), metadata=list(), parameter=list(), query_expression_text=list(), id=None)
StoredQueryListItemType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/stored_query_list_item_type.py
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
@dataclass
class StoredQueryListItemType:
    title: list[Title] = field(
        default_factory=list,
        metadata={
            "name": "Title",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    return_feature_type: list[QName] = field(
        default_factory=list,
        metadata={
            "name": "ReturnFeatureType",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    id: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
id = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
return_feature_type = field(default_factory=list, metadata={'name': 'ReturnFeatureType', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
title = field(default_factory=list, metadata={'name': 'Title', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(title=list(), return_feature_type=list(), id=None)
StoredQueryType dataclass

Bases: AbstractQueryExpressionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/stored_query_type.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
@dataclass
class StoredQueryType(AbstractQueryExpressionType):
    parameter: list[ParameterType] = field(
        default_factory=list,
        metadata={
            "name": "Parameter",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    id: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
id = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
parameter = field(default_factory=list, metadata={'name': 'Parameter', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(handle=None, parameter=list(), id=None)
Title dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/title.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
@dataclass
class Title:
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
    lang: Union[str, LangValue] = field(
        default="en",
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/XML/1998/namespace",
        },
    )
lang = field(default='en', metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/XML/1998/namespace'}) class-attribute instance-attribute
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/title.py
13
14
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(value='', lang='en')
Transaction dataclass

Bases: TransactionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/transaction.py
10
11
12
13
@dataclass
class Transaction(TransactionType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/transaction.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(version=None, handle=None, native=list(), delete=list(), replace=list(), update=list(), insert=list(), lock_id=None, release_action=AllSomeType.ALL, srs_name=None)
TransactionResponse dataclass

Bases: TransactionResponseType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/transaction_response.py
10
11
12
13
@dataclass
class TransactionResponse(TransactionResponseType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/transaction_response.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(transaction_summary=None, insert_results=None, update_results=None, replace_results=None, version=None)
TransactionResponseType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/transaction_response_type.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
@dataclass
class TransactionResponseType:
    transaction_summary: Optional[TransactionSummaryType] = field(
        default=None,
        metadata={
            "name": "TransactionSummary",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "required": True,
        },
    )
    insert_results: Optional[ActionResultsType] = field(
        default=None,
        metadata={
            "name": "InsertResults",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    update_results: Optional[ActionResultsType] = field(
        default=None,
        metadata={
            "name": "UpdateResults",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    replace_results: Optional[ActionResultsType] = field(
        default=None,
        metadata={
            "name": "ReplaceResults",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    version: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
            "pattern": r"2\.0\.\d+",
        },
    )
insert_results = field(default=None, metadata={'name': 'InsertResults', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
replace_results = field(default=None, metadata={'name': 'ReplaceResults', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
transaction_summary = field(default=None, metadata={'name': 'TransactionSummary', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'required': True}) class-attribute instance-attribute
update_results = field(default=None, metadata={'name': 'UpdateResults', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
version = field(default=None, metadata={'type': 'Attribute', 'required': True, 'pattern': '2\\.0\\.\\d+'}) class-attribute instance-attribute
__init__(transaction_summary=None, insert_results=None, update_results=None, replace_results=None, version=None)
TransactionSummaryType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/transaction_summary_type.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
@dataclass
class TransactionSummaryType:
    total_inserted: Optional[int] = field(
        default=None,
        metadata={
            "name": "totalInserted",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    total_updated: Optional[int] = field(
        default=None,
        metadata={
            "name": "totalUpdated",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    total_replaced: Optional[int] = field(
        default=None,
        metadata={
            "name": "totalReplaced",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    total_deleted: Optional[int] = field(
        default=None,
        metadata={
            "name": "totalDeleted",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
total_deleted = field(default=None, metadata={'name': 'totalDeleted', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
total_inserted = field(default=None, metadata={'name': 'totalInserted', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
total_replaced = field(default=None, metadata={'name': 'totalReplaced', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
total_updated = field(default=None, metadata={'name': 'totalUpdated', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(total_inserted=None, total_updated=None, total_replaced=None, total_deleted=None)
TransactionType dataclass

Bases: BaseRequestType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/transaction_type.py
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
@dataclass
class TransactionType(BaseRequestType):
    native: list[Native] = field(
        default_factory=list,
        metadata={
            "name": "Native",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    delete: list[Delete] = field(
        default_factory=list,
        metadata={
            "name": "Delete",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    replace: list[Replace] = field(
        default_factory=list,
        metadata={
            "name": "Replace",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    update: list[Update] = field(
        default_factory=list,
        metadata={
            "name": "Update",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    insert: list[Insert] = field(
        default_factory=list,
        metadata={
            "name": "Insert",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    lock_id: Optional[str] = field(
        default=None,
        metadata={
            "name": "lockId",
            "type": "Attribute",
        },
    )
    release_action: AllSomeType = field(
        default=AllSomeType.ALL,
        metadata={
            "name": "releaseAction",
            "type": "Attribute",
        },
    )
    srs_name: Optional[str] = field(
        default=None,
        metadata={
            "name": "srsName",
            "type": "Attribute",
        },
    )
delete = field(default_factory=list, metadata={'name': 'Delete', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
insert = field(default_factory=list, metadata={'name': 'Insert', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
lock_id = field(default=None, metadata={'name': 'lockId', 'type': 'Attribute'}) class-attribute instance-attribute
native = field(default_factory=list, metadata={'name': 'Native', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
release_action = field(default=AllSomeType.ALL, metadata={'name': 'releaseAction', 'type': 'Attribute'}) class-attribute instance-attribute
replace = field(default_factory=list, metadata={'name': 'Replace', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
srs_name = field(default=None, metadata={'name': 'srsName', 'type': 'Attribute'}) class-attribute instance-attribute
update = field(default_factory=list, metadata={'name': 'Update', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(version=None, handle=None, native=list(), delete=list(), replace=list(), update=list(), insert=list(), lock_id=None, release_action=AllSomeType.ALL, srs_name=None)
TruncatedResponse dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/truncated_response.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
@dataclass
class TruncatedResponse:
    class Meta:
        name = "truncatedResponse"
        namespace = "http://www.opengis.net/wfs/2.0"

    exception_report: Optional[ExceptionReport] = field(
        default=None,
        metadata={
            "name": "ExceptionReport",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
            "required": True,
        },
    )
exception_report = field(default=None, metadata={'name': 'ExceptionReport', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/truncated_response.py
13
14
15
class Meta:
    name = "truncatedResponse"
    namespace = "http://www.opengis.net/wfs/2.0"
name = 'truncatedResponse' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(exception_report=None)
Tuple dataclass

Bases: TupleType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
296
297
298
299
@dataclass
class Tuple(TupleType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
298
299
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(member=list())
TupleType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
215
216
217
218
219
220
221
222
223
224
@dataclass
class TupleType:
    member: list[Member] = field(
        default_factory=list,
        metadata={
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "min_occurs": 2,
        },
    )
member = field(default_factory=list, metadata={'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'min_occurs': 2}) class-attribute instance-attribute
__init__(member=list())
Update dataclass

Bases: UpdateType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/update.py
10
11
12
13
@dataclass
class Update(UpdateType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/update.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(handle=None, property=list(), filter=None, type_name=None, input_format='application/gml+xml; version=3.2', srs_name=None)
UpdateActionType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/update_action_type.py
 6
 7
 8
 9
10
class UpdateActionType(Enum):
    REPLACE = "replace"
    INSERT_BEFORE = "insertBefore"
    INSERT_AFTER = "insertAfter"
    REMOVE = "remove"
INSERT_AFTER = 'insertAfter' class-attribute instance-attribute
INSERT_BEFORE = 'insertBefore' class-attribute instance-attribute
REMOVE = 'remove' class-attribute instance-attribute
REPLACE = 'replace' class-attribute instance-attribute
UpdateType dataclass

Bases: AbstractTransactionActionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/update_type.py
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
@dataclass
class UpdateType(AbstractTransactionActionType):
    property: list[Property] = field(
        default_factory=list,
        metadata={
            "name": "Property",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "min_occurs": 1,
        },
    )
    filter: Optional[Filter] = field(
        default=None,
        metadata={
            "name": "Filter",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    type_name: Optional[QName] = field(
        default=None,
        metadata={
            "name": "typeName",
            "type": "Attribute",
            "required": True,
        },
    )
    input_format: str = field(
        default="application/gml+xml; version=3.2",
        metadata={
            "name": "inputFormat",
            "type": "Attribute",
        },
    )
    srs_name: Optional[str] = field(
        default=None,
        metadata={
            "name": "srsName",
            "type": "Attribute",
        },
    )
filter = field(default=None, metadata={'name': 'Filter', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
input_format = field(default='application/gml+xml; version=3.2', metadata={'name': 'inputFormat', 'type': 'Attribute'}) class-attribute instance-attribute
property = field(default_factory=list, metadata={'name': 'Property', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'min_occurs': 1}) class-attribute instance-attribute
srs_name = field(default=None, metadata={'name': 'srsName', 'type': 'Attribute'}) class-attribute instance-attribute
type_name = field(default=None, metadata={'name': 'typeName', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
__init__(handle=None, property=list(), filter=None, type_name=None, input_format='application/gml+xml; version=3.2', srs_name=None)
Value dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/value.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
@dataclass
class Value:
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"

    any_element: Optional[object] = field(
        default=None,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
        },
    )
any_element = field(default=None, metadata={'type': 'Wildcard', 'namespace': '##any'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/value.py
 9
10
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(any_element=None)
ValueCollection dataclass

Bases: ValueCollectionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
183
184
185
186
@dataclass
class ValueCollection(ValueCollectionType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
185
186
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(member=list(), additional_values=None, truncated_response=None, time_stamp=None, number_matched=None, number_returned=None, next=None, previous=None)
ValueCollectionType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
@dataclass
class ValueCollectionType:
    member: list["Member"] = field(
        default_factory=list,
        metadata={
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    additional_values: Optional["AdditionalValues"] = field(
        default=None,
        metadata={
            "name": "additionalValues",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    truncated_response: Optional[TruncatedResponse] = field(
        default=None,
        metadata={
            "name": "truncatedResponse",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    time_stamp: Optional[XmlDateTime] = field(
        default=None,
        metadata={
            "name": "timeStamp",
            "type": "Attribute",
            "required": True,
        },
    )
    number_matched: Optional[Union[int, NonNegativeIntegerOrUnknownValue]] = field(
        default=None,
        metadata={
            "name": "numberMatched",
            "type": "Attribute",
            "required": True,
        },
    )
    number_returned: Optional[int] = field(
        default=None,
        metadata={
            "name": "numberReturned",
            "type": "Attribute",
            "required": True,
        },
    )
    next: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
    previous: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
additional_values = field(default=None, metadata={'name': 'additionalValues', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
member = field(default_factory=list, metadata={'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
next = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
number_matched = field(default=None, metadata={'name': 'numberMatched', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
number_returned = field(default=None, metadata={'name': 'numberReturned', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
previous = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
time_stamp = field(default=None, metadata={'name': 'timeStamp', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
truncated_response = field(default=None, metadata={'name': 'truncatedResponse', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(member=list(), additional_values=None, truncated_response=None, time_stamp=None, number_matched=None, number_returned=None, next=None, previous=None)
ValueList dataclass

Bases: ValueListType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/value_list.py
10
11
12
13
@dataclass
class ValueList(ValueListType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/value_list.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(value=list())
ValueListType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/value_list_type.py
 8
 9
10
11
12
13
14
15
16
17
18
@dataclass
class ValueListType:
    value: list[Value] = field(
        default_factory=list,
        metadata={
            "name": "Value",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "min_occurs": 1,
        },
    )
value = field(default_factory=list, metadata={'name': 'Value', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'min_occurs': 1}) class-attribute instance-attribute
__init__(value=list())
WfsCapabilities dataclass

Bases: WfsCapabilitiesType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/wfs_capabilities.py
10
11
12
13
14
@dataclass
class WfsCapabilities(WfsCapabilitiesType):
    class Meta:
        name = "WFS_Capabilities"
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/wfs_capabilities.py
12
13
14
class Meta:
    name = "WFS_Capabilities"
    namespace = "http://www.opengis.net/wfs/2.0"
name = 'WFS_Capabilities' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(service_identification=None, service_provider=None, operations_metadata=None, version=None, update_sequence=None, wsdl=None, feature_type_list=None, filter_capabilities=None)
WfsCapabilitiesType dataclass

Bases: CapabilitiesBaseType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/wfs_capabilities_type.py
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
@dataclass
class WfsCapabilitiesType(CapabilitiesBaseType):
    class Meta:
        name = "WFS_CapabilitiesType"

    wsdl: Optional["WfsCapabilitiesType.Wsdl"] = field(
        default=None,
        metadata={
            "name": "WSDL",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    feature_type_list: Optional[FeatureTypeList] = field(
        default=None,
        metadata={
            "name": "FeatureTypeList",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    filter_capabilities: Optional[FilterCapabilities] = field(
        default=None,
        metadata={
            "name": "Filter_Capabilities",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )

    @dataclass
    class Wsdl:
        any_element: Optional[object] = field(
            default=None,
            metadata={
                "type": "Wildcard",
                "namespace": "##any",
            },
        )
        type_value: TypeType = field(
            init=False,
            default=TypeType.SIMPLE,
            metadata={
                "name": "type",
                "type": "Attribute",
                "namespace": "http://www.w3.org/1999/xlink",
            },
        )
        href: Optional[str] = field(
            default=None,
            metadata={
                "type": "Attribute",
                "namespace": "http://www.w3.org/1999/xlink",
            },
        )
        role: Optional[str] = field(
            default=None,
            metadata={
                "type": "Attribute",
                "namespace": "http://www.w3.org/1999/xlink",
                "min_length": 1,
            },
        )
        arcrole: Optional[str] = field(
            default=None,
            metadata={
                "type": "Attribute",
                "namespace": "http://www.w3.org/1999/xlink",
                "min_length": 1,
            },
        )
        title: Optional[str] = field(
            default=None,
            metadata={
                "type": "Attribute",
                "namespace": "http://www.w3.org/1999/xlink",
            },
        )
        show: Optional[ShowType] = field(
            default=None,
            metadata={
                "type": "Attribute",
                "namespace": "http://www.w3.org/1999/xlink",
            },
        )
        actuate: Optional[ActuateType] = field(
            default=None,
            metadata={
                "type": "Attribute",
                "namespace": "http://www.w3.org/1999/xlink",
            },
        )
feature_type_list = field(default=None, metadata={'name': 'FeatureTypeList', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
filter_capabilities = field(default=None, metadata={'name': 'Filter_Capabilities', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
wsdl = field(default=None, metadata={'name': 'WSDL', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/wfs_capabilities_type.py
28
29
class Meta:
    name = "WFS_CapabilitiesType"
name = 'WFS_CapabilitiesType' class-attribute instance-attribute
Wsdl dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/wfs_capabilities_type.py
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
@dataclass
class Wsdl:
    any_element: Optional[object] = field(
        default=None,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
        },
    )
    type_value: TypeType = field(
        init=False,
        default=TypeType.SIMPLE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    href: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    arcrole: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    show: Optional[ShowType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    actuate: Optional[ActuateType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
actuate = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
any_element = field(default=None, metadata={'type': 'Wildcard', 'namespace': '##any'}) class-attribute instance-attribute
arcrole = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
href = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
show = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.SIMPLE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
__init__(any_element=None, href=None, role=None, arcrole=None, title=None, show=None, actuate=None)
__init__(service_identification=None, service_provider=None, operations_metadata=None, version=None, update_sequence=None, wsdl=None, feature_type_list=None, filter_capabilities=None)
abstract
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
Abstract dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/abstract.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
@dataclass
class Abstract:
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
    lang: Union[str, LangValue] = field(
        default="en",
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/XML/1998/namespace",
        },
    )
lang = field(default='en', metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/XML/1998/namespace'}) class-attribute instance-attribute
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/abstract.py
13
14
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(value='', lang='en')
abstract_transaction_action
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
AbstractTransactionAction dataclass

Bases: AbstractTransactionActionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/abstract_transaction_action.py
10
11
12
13
@dataclass
class AbstractTransactionAction(AbstractTransactionActionType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/abstract_transaction_action.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(handle=None)
abstract_transaction_action_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
AbstractTransactionActionType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/abstract_transaction_action_type.py
 7
 8
 9
10
11
12
13
14
@dataclass
class AbstractTransactionActionType:
    handle: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
handle = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
__init__(handle=None)
action_results_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
ActionResultsType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/action_results_type.py
10
11
12
13
14
15
16
17
18
19
20
@dataclass
class ActionResultsType:
    feature: list[CreatedOrModifiedFeatureType] = field(
        default_factory=list,
        metadata={
            "name": "Feature",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "min_occurs": 1,
        },
    )
feature = field(default_factory=list, metadata={'name': 'Feature', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'min_occurs': 1}) class-attribute instance-attribute
__init__(feature=list())
all_some_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
AllSomeType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/all_some_type.py
6
7
8
class AllSomeType(Enum):
    ALL = "ALL"
    SOME = "SOME"
ALL = 'ALL' class-attribute instance-attribute
SOME = 'SOME' class-attribute instance-attribute
base_request_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
BaseRequestType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/base_request_type.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
@dataclass
class BaseRequestType:
    service: str = field(
        init=False,
        default="WFS",
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    version: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
            "pattern": r"2\.0\.\d+",
        },
    )
    handle: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
handle = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
service = field(init=False, default='WFS', metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
version = field(default=None, metadata={'type': 'Attribute', 'required': True, 'pattern': '2\\.0\\.\\d+'}) class-attribute instance-attribute
__init__(version=None, handle=None)
bounded_by
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
BoundedBy dataclass

Bases: EnvelopePropertyType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/bounded_by.py
10
11
12
13
14
@dataclass
class BoundedBy(EnvelopePropertyType):
    class Meta:
        name = "boundedBy"
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/bounded_by.py
12
13
14
class Meta:
    name = "boundedBy"
    namespace = "http://www.opengis.net/wfs/2.0"
name = 'boundedBy' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(other_element=None)
create_stored_query
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
CreateStoredQuery dataclass

Bases: CreateStoredQueryType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/create_stored_query.py
10
11
12
13
@dataclass
class CreateStoredQuery(CreateStoredQueryType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/create_stored_query.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(version=None, handle=None, stored_query_definition=list())
create_stored_query_response
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
CreateStoredQueryResponse dataclass

Bases: CreateStoredQueryResponseType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/create_stored_query_response.py
10
11
12
13
@dataclass
class CreateStoredQueryResponse(CreateStoredQueryResponseType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/create_stored_query_response.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__()
create_stored_query_response_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
CreateStoredQueryResponseType dataclass

Bases: ExecutionStatusType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/create_stored_query_response_type.py
10
11
12
@dataclass
class CreateStoredQueryResponseType(ExecutionStatusType):
    pass
__init__()
create_stored_query_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
CreateStoredQueryType dataclass

Bases: BaseRequestType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/create_stored_query_type.py
13
14
15
16
17
18
19
20
21
22
@dataclass
class CreateStoredQueryType(BaseRequestType):
    stored_query_definition: list[StoredQueryDescriptionType] = field(
        default_factory=list,
        metadata={
            "name": "StoredQueryDefinition",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
stored_query_definition = field(default_factory=list, metadata={'name': 'StoredQueryDefinition', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(version=None, handle=None, stored_query_definition=list())
created_or_modified_feature_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
CreatedOrModifiedFeatureType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/created_or_modified_feature_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
@dataclass
class CreatedOrModifiedFeatureType:
    resource_id: list[ResourceId] = field(
        default_factory=list,
        metadata={
            "name": "ResourceId",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "min_occurs": 1,
        },
    )
    handle: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
handle = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
resource_id = field(default_factory=list, metadata={'name': 'ResourceId', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'min_occurs': 1}) class-attribute instance-attribute
__init__(resource_id=list(), handle=None)
delete
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
Delete dataclass

Bases: DeleteType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/delete.py
10
11
12
13
@dataclass
class Delete(DeleteType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/delete.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(handle=None, filter=None, type_name=None)
delete_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
DeleteType dataclass

Bases: AbstractTransactionActionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/delete_type.py
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
@dataclass
class DeleteType(AbstractTransactionActionType):
    filter: Optional[Filter] = field(
        default=None,
        metadata={
            "name": "Filter",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "required": True,
        },
    )
    type_name: Optional[QName] = field(
        default=None,
        metadata={
            "name": "typeName",
            "type": "Attribute",
            "required": True,
        },
    )
filter = field(default=None, metadata={'name': 'Filter', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'required': True}) class-attribute instance-attribute
type_name = field(default=None, metadata={'name': 'typeName', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
__init__(handle=None, filter=None, type_name=None)
describe_feature_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
DescribeFeatureType dataclass

Bases: DescribeFeatureTypeType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/describe_feature_type.py
10
11
12
13
@dataclass
class DescribeFeatureType(DescribeFeatureTypeType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/describe_feature_type.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(version=None, handle=None, type_name=list(), output_format='application/gml+xml; version=3.2')
describe_feature_type_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
DescribeFeatureTypeType dataclass

Bases: BaseRequestType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/describe_feature_type_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
@dataclass
class DescribeFeatureTypeType(BaseRequestType):
    type_name: list[QName] = field(
        default_factory=list,
        metadata={
            "name": "TypeName",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    output_format: str = field(
        default="application/gml+xml; version=3.2",
        metadata={
            "name": "outputFormat",
            "type": "Attribute",
        },
    )
output_format = field(default='application/gml+xml; version=3.2', metadata={'name': 'outputFormat', 'type': 'Attribute'}) class-attribute instance-attribute
type_name = field(default_factory=list, metadata={'name': 'TypeName', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(version=None, handle=None, type_name=list(), output_format='application/gml+xml; version=3.2')
describe_stored_queries
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
DescribeStoredQueries dataclass

Bases: DescribeStoredQueriesType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/describe_stored_queries.py
10
11
12
13
@dataclass
class DescribeStoredQueries(DescribeStoredQueriesType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/describe_stored_queries.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(version=None, handle=None, stored_query_id=list())
describe_stored_queries_response
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
DescribeStoredQueriesResponse dataclass

Bases: DescribeStoredQueriesResponseType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/describe_stored_queries_response.py
10
11
12
13
@dataclass
class DescribeStoredQueriesResponse(DescribeStoredQueriesResponseType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/describe_stored_queries_response.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(stored_query_description=list())
describe_stored_queries_response_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
DescribeStoredQueriesResponseType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/describe_stored_queries_response_type.py
10
11
12
13
14
15
16
17
18
19
@dataclass
class DescribeStoredQueriesResponseType:
    stored_query_description: list[StoredQueryDescriptionType] = field(
        default_factory=list,
        metadata={
            "name": "StoredQueryDescription",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
stored_query_description = field(default_factory=list, metadata={'name': 'StoredQueryDescription', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(stored_query_description=list())
describe_stored_queries_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
DescribeStoredQueriesType dataclass

Bases: BaseRequestType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/describe_stored_queries_type.py
10
11
12
13
14
15
16
17
18
19
@dataclass
class DescribeStoredQueriesType(BaseRequestType):
    stored_query_id: list[str] = field(
        default_factory=list,
        metadata={
            "name": "StoredQueryId",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
stored_query_id = field(default_factory=list, metadata={'name': 'StoredQueryId', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(version=None, handle=None, stored_query_id=list())
drop_stored_query
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
DropStoredQuery dataclass

Bases: BaseRequestType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/drop_stored_query.py
11
12
13
14
15
16
17
18
19
20
21
22
@dataclass
class DropStoredQuery(BaseRequestType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"

    id: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
id = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/drop_stored_query.py
13
14
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(version=None, handle=None, id=None)
drop_stored_query_response
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
DropStoredQueryResponse dataclass

Bases: ExecutionStatusType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/drop_stored_query_response.py
10
11
12
13
@dataclass
class DropStoredQueryResponse(ExecutionStatusType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/drop_stored_query_response.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__()
element
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
Element dataclass

Bases: ElementType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/element.py
10
11
12
13
@dataclass
class Element(ElementType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/element.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(metadata=None, value_list=None, name=None, type_value=None)
element_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
ElementType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/element_type.py
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
@dataclass
class ElementType:
    metadata: Optional[Metadata] = field(
        default=None,
        metadata={
            "name": "Metadata",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
            "required": True,
        },
    )
    value_list: Optional[ValueList] = field(
        default=None,
        metadata={
            "name": "ValueList",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "required": True,
        },
    )
    name: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    type_value: Optional[QName] = field(
        default=None,
        metadata={
            "name": "type",
            "type": "Attribute",
            "required": True,
        },
    )
metadata = field(default=None, metadata={'name': 'Metadata', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1', 'required': True}) class-attribute instance-attribute
name = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
type_value = field(default=None, metadata={'name': 'type', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
value_list = field(default=None, metadata={'name': 'ValueList', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'required': True}) class-attribute instance-attribute
__init__(metadata=None, value_list=None, name=None, type_value=None)
empty_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
EmptyType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/empty_type.py
6
7
8
@dataclass
class EmptyType:
    pass
__init__()
envelope_property_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
EnvelopePropertyType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/envelope_property_type.py
 7
 8
 9
10
11
12
13
14
15
@dataclass
class EnvelopePropertyType:
    other_element: Optional[object] = field(
        default=None,
        metadata={
            "type": "Wildcard",
            "namespace": "##other",
        },
    )
other_element = field(default=None, metadata={'type': 'Wildcard', 'namespace': '##other'}) class-attribute instance-attribute
__init__(other_element=None)
execution_status_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
ExecutionStatusType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/execution_status_type.py
 6
 7
 8
 9
10
11
12
13
14
@dataclass
class ExecutionStatusType:
    status: str = field(
        init=False,
        default="OK",
        metadata={
            "type": "Attribute",
        },
    )
status = field(init=False, default='OK', metadata={'type': 'Attribute'}) class-attribute instance-attribute
__init__()
extended_description_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
ExtendedDescriptionType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/extended_description_type.py
 8
 9
10
11
12
13
14
15
16
17
18
@dataclass
class ExtendedDescriptionType:
    element: list[Element] = field(
        default_factory=list,
        metadata={
            "name": "Element",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "min_occurs": 1,
        },
    )
element = field(default_factory=list, metadata={'name': 'Element', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'min_occurs': 1}) class-attribute instance-attribute
__init__(element=list())
feature_type_list
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
FeatureTypeList dataclass

Bases: FeatureTypeListType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/feature_type_list.py
10
11
12
13
@dataclass
class FeatureTypeList(FeatureTypeListType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/feature_type_list.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(feature_type=list())
feature_type_list_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
FeatureTypeListType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/feature_type_list_type.py
10
11
12
13
14
15
16
17
18
19
20
@dataclass
class FeatureTypeListType:
    feature_type: list[FeatureTypeType] = field(
        default_factory=list,
        metadata={
            "name": "FeatureType",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "min_occurs": 1,
        },
    )
feature_type = field(default_factory=list, metadata={'name': 'FeatureType', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'min_occurs': 1}) class-attribute instance-attribute
__init__(feature_type=list())
feature_type_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
FeatureTypeType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/feature_type_type.py
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
@dataclass
class FeatureTypeType:
    name: Optional[QName] = field(
        default=None,
        metadata={
            "name": "Name",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "required": True,
        },
    )
    title: list[Title] = field(
        default_factory=list,
        metadata={
            "name": "Title",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    abstract: list[Abstract] = field(
        default_factory=list,
        metadata={
            "name": "Abstract",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    keywords: list[Keywords] = field(
        default_factory=list,
        metadata={
            "name": "Keywords",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    default_crs: Optional[str] = field(
        default=None,
        metadata={
            "name": "DefaultCRS",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    other_crs: list[str] = field(
        default_factory=list,
        metadata={
            "name": "OtherCRS",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    no_crs: Optional[object] = field(
        default=None,
        metadata={
            "name": "NoCRS",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    output_formats: Optional[OutputFormatListType] = field(
        default=None,
        metadata={
            "name": "OutputFormats",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    wgs84_bounding_box: list[Wgs84BoundingBox] = field(
        default_factory=list,
        metadata={
            "name": "WGS84BoundingBox",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    metadata_url: list[MetadataUrltype] = field(
        default_factory=list,
        metadata={
            "name": "MetadataURL",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    extended_description: Optional[ExtendedDescriptionType] = field(
        default=None,
        metadata={
            "name": "ExtendedDescription",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
abstract = field(default_factory=list, metadata={'name': 'Abstract', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
default_crs = field(default=None, metadata={'name': 'DefaultCRS', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
extended_description = field(default=None, metadata={'name': 'ExtendedDescription', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
keywords = field(default_factory=list, metadata={'name': 'Keywords', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
metadata_url = field(default_factory=list, metadata={'name': 'MetadataURL', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
name = field(default=None, metadata={'name': 'Name', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'required': True}) class-attribute instance-attribute
no_crs = field(default=None, metadata={'name': 'NoCRS', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
other_crs = field(default_factory=list, metadata={'name': 'OtherCRS', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
output_formats = field(default=None, metadata={'name': 'OutputFormats', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
title = field(default_factory=list, metadata={'name': 'Title', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
wgs84_bounding_box = field(default_factory=list, metadata={'name': 'WGS84BoundingBox', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
__init__(name=None, title=list(), abstract=list(), keywords=list(), default_crs=None, other_crs=list(), no_crs=None, output_formats=None, wgs84_bounding_box=list(), metadata_url=list(), extended_description=None)
features_locked_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
FeaturesLockedType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/features_locked_type.py
10
11
12
13
14
15
16
17
18
19
20
@dataclass
class FeaturesLockedType:
    resource_id: list[ResourceId] = field(
        default_factory=list,
        metadata={
            "name": "ResourceId",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "min_occurs": 1,
        },
    )
resource_id = field(default_factory=list, metadata={'name': 'ResourceId', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'min_occurs': 1}) class-attribute instance-attribute
__init__(resource_id=list())
features_not_locked_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
FeaturesNotLockedType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/features_not_locked_type.py
10
11
12
13
14
15
16
17
18
19
20
@dataclass
class FeaturesNotLockedType:
    resource_id: list[ResourceId] = field(
        default_factory=list,
        metadata={
            "name": "ResourceId",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "min_occurs": 1,
        },
    )
resource_id = field(default_factory=list, metadata={'name': 'ResourceId', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'min_occurs': 1}) class-attribute instance-attribute
__init__(resource_id=list())
get_capabilities
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
GetCapabilities dataclass

Bases: GetCapabilitiesType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_capabilities.py
10
11
12
13
@dataclass
class GetCapabilities(GetCapabilitiesType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_capabilities.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(accept_versions=None, sections=None, accept_formats=None, update_sequence=None)
get_capabilities_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
GetCapabilitiesType dataclass

Bases: GetCapabilitiesType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_capabilities_type.py
10
11
12
13
14
15
16
17
18
19
@dataclass
class GetCapabilitiesType(GetCapabilitiesTypeGetCapabilitiesType):
    service: str = field(
        init=False,
        default="WFS",
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
service = field(init=False, default='WFS', metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
__init__(accept_versions=None, sections=None, accept_formats=None, update_sequence=None)
get_feature
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
GetFeature dataclass

Bases: GetFeatureType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_feature.py
10
11
12
13
@dataclass
class GetFeature(GetFeatureType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_feature.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(version=None, handle=None, stored_query=list(), query=list(), start_index=0, count=None, result_type=ResultTypeType.RESULTS, output_format='application/gml+xml; version=3.2', resolve=ResolveValueType.NONE, resolve_depth=StarStringType.ASTERISK, resolve_timeout=300)
get_feature_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
GetFeatureType dataclass

Bases: BaseRequestType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_feature_type.py
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
@dataclass
class GetFeatureType(BaseRequestType):
    stored_query: list[StoredQuery] = field(
        default_factory=list,
        metadata={
            "name": "StoredQuery",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    query: list[Query] = field(
        default_factory=list,
        metadata={
            "name": "Query",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    start_index: int = field(
        default=0,
        metadata={
            "name": "startIndex",
            "type": "Attribute",
        },
    )
    count: Optional[int] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
    result_type: ResultTypeType = field(
        default=ResultTypeType.RESULTS,
        metadata={
            "name": "resultType",
            "type": "Attribute",
        },
    )
    output_format: str = field(
        default="application/gml+xml; version=3.2",
        metadata={
            "name": "outputFormat",
            "type": "Attribute",
        },
    )
    resolve: ResolveValueType = field(
        default=ResolveValueType.NONE,
        metadata={
            "type": "Attribute",
        },
    )
    resolve_depth: Union[int, StarStringType] = field(
        default=StarStringType.ASTERISK,
        metadata={
            "name": "resolveDepth",
            "type": "Attribute",
        },
    )
    resolve_timeout: int = field(
        default=300,
        metadata={
            "name": "resolveTimeout",
            "type": "Attribute",
        },
    )
count = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
output_format = field(default='application/gml+xml; version=3.2', metadata={'name': 'outputFormat', 'type': 'Attribute'}) class-attribute instance-attribute
query = field(default_factory=list, metadata={'name': 'Query', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
resolve = field(default=ResolveValueType.NONE, metadata={'type': 'Attribute'}) class-attribute instance-attribute
resolve_depth = field(default=StarStringType.ASTERISK, metadata={'name': 'resolveDepth', 'type': 'Attribute'}) class-attribute instance-attribute
resolve_timeout = field(default=300, metadata={'name': 'resolveTimeout', 'type': 'Attribute'}) class-attribute instance-attribute
result_type = field(default=ResultTypeType.RESULTS, metadata={'name': 'resultType', 'type': 'Attribute'}) class-attribute instance-attribute
start_index = field(default=0, metadata={'name': 'startIndex', 'type': 'Attribute'}) class-attribute instance-attribute
stored_query = field(default_factory=list, metadata={'name': 'StoredQuery', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(version=None, handle=None, stored_query=list(), query=list(), start_index=0, count=None, result_type=ResultTypeType.RESULTS, output_format='application/gml+xml; version=3.2', resolve=ResolveValueType.NONE, resolve_depth=StarStringType.ASTERISK, resolve_timeout=300)
get_feature_with_lock
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
GetFeatureWithLock dataclass

Bases: GetFeatureWithLockType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_feature_with_lock.py
10
11
12
13
@dataclass
class GetFeatureWithLock(GetFeatureWithLockType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_feature_with_lock.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(version=None, handle=None, stored_query=list(), query=list(), start_index=0, count=None, result_type=ResultTypeType.RESULTS, output_format='application/gml+xml; version=3.2', resolve=ResolveValueType.NONE, resolve_depth=StarStringType.ASTERISK, resolve_timeout=300, expiry=300, lock_action=AllSomeType.ALL)
get_feature_with_lock_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
GetFeatureWithLockType dataclass

Bases: GetFeatureType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_feature_with_lock_type.py
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
@dataclass
class GetFeatureWithLockType(GetFeatureType):
    expiry: int = field(
        default=300,
        metadata={
            "type": "Attribute",
        },
    )
    lock_action: AllSomeType = field(
        default=AllSomeType.ALL,
        metadata={
            "name": "lockAction",
            "type": "Attribute",
        },
    )
expiry = field(default=300, metadata={'type': 'Attribute'}) class-attribute instance-attribute
lock_action = field(default=AllSomeType.ALL, metadata={'name': 'lockAction', 'type': 'Attribute'}) class-attribute instance-attribute
__init__(version=None, handle=None, stored_query=list(), query=list(), start_index=0, count=None, result_type=ResultTypeType.RESULTS, output_format='application/gml+xml; version=3.2', resolve=ResolveValueType.NONE, resolve_depth=StarStringType.ASTERISK, resolve_timeout=300, expiry=300, lock_action=AllSomeType.ALL)
get_property_value
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
GetPropertyValue dataclass

Bases: GetPropertyValueType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_property_value.py
10
11
12
13
@dataclass
class GetPropertyValue(GetPropertyValueType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_property_value.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(version=None, handle=None, stored_query=None, query=None, value_reference=None, resolve_path=None, start_index=0, count=None, result_type=ResultTypeType.RESULTS, output_format='application/gml+xml; version=3.2', resolve=ResolveValueType.NONE, resolve_depth=StarStringType.ASTERISK, resolve_timeout=300)
get_property_value_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
GetPropertyValueType dataclass

Bases: BaseRequestType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/get_property_value_type.py
 24
 25
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
@dataclass
class GetPropertyValueType(BaseRequestType):
    stored_query: Optional[StoredQuery] = field(
        default=None,
        metadata={
            "name": "StoredQuery",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    query: Optional[Query] = field(
        default=None,
        metadata={
            "name": "Query",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    value_reference: Optional[str] = field(
        default=None,
        metadata={
            "name": "valueReference",
            "type": "Attribute",
            "required": True,
        },
    )
    resolve_path: Optional[str] = field(
        default=None,
        metadata={
            "name": "resolvePath",
            "type": "Attribute",
        },
    )
    start_index: int = field(
        default=0,
        metadata={
            "name": "startIndex",
            "type": "Attribute",
        },
    )
    count: Optional[int] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
    result_type: ResultTypeType = field(
        default=ResultTypeType.RESULTS,
        metadata={
            "name": "resultType",
            "type": "Attribute",
        },
    )
    output_format: str = field(
        default="application/gml+xml; version=3.2",
        metadata={
            "name": "outputFormat",
            "type": "Attribute",
        },
    )
    resolve: ResolveValueType = field(
        default=ResolveValueType.NONE,
        metadata={
            "type": "Attribute",
        },
    )
    resolve_depth: Union[int, StarStringType] = field(
        default=StarStringType.ASTERISK,
        metadata={
            "name": "resolveDepth",
            "type": "Attribute",
        },
    )
    resolve_timeout: int = field(
        default=300,
        metadata={
            "name": "resolveTimeout",
            "type": "Attribute",
        },
    )
count = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
output_format = field(default='application/gml+xml; version=3.2', metadata={'name': 'outputFormat', 'type': 'Attribute'}) class-attribute instance-attribute
query = field(default=None, metadata={'name': 'Query', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
resolve = field(default=ResolveValueType.NONE, metadata={'type': 'Attribute'}) class-attribute instance-attribute
resolve_depth = field(default=StarStringType.ASTERISK, metadata={'name': 'resolveDepth', 'type': 'Attribute'}) class-attribute instance-attribute
resolve_path = field(default=None, metadata={'name': 'resolvePath', 'type': 'Attribute'}) class-attribute instance-attribute
resolve_timeout = field(default=300, metadata={'name': 'resolveTimeout', 'type': 'Attribute'}) class-attribute instance-attribute
result_type = field(default=ResultTypeType.RESULTS, metadata={'name': 'resultType', 'type': 'Attribute'}) class-attribute instance-attribute
start_index = field(default=0, metadata={'name': 'startIndex', 'type': 'Attribute'}) class-attribute instance-attribute
stored_query = field(default=None, metadata={'name': 'StoredQuery', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
value_reference = field(default=None, metadata={'name': 'valueReference', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
__init__(version=None, handle=None, stored_query=None, query=None, value_reference=None, resolve_path=None, start_index=0, count=None, result_type=ResultTypeType.RESULTS, output_format='application/gml+xml; version=3.2', resolve=ResolveValueType.NONE, resolve_depth=StarStringType.ASTERISK, resolve_timeout=300)
insert
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
Insert dataclass

Bases: InsertType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/insert.py
10
11
12
13
@dataclass
class Insert(InsertType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/insert.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(handle=None, other_element=list(), input_format='application/gml+xml; version=3.2', srs_name=None)
insert_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
InsertType dataclass

Bases: AbstractTransactionActionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/insert_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
@dataclass
class InsertType(AbstractTransactionActionType):
    other_element: list[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##other",
        },
    )
    input_format: str = field(
        default="application/gml+xml; version=3.2",
        metadata={
            "name": "inputFormat",
            "type": "Attribute",
        },
    )
    srs_name: Optional[str] = field(
        default=None,
        metadata={
            "name": "srsName",
            "type": "Attribute",
        },
    )
input_format = field(default='application/gml+xml; version=3.2', metadata={'name': 'inputFormat', 'type': 'Attribute'}) class-attribute instance-attribute
other_element = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##other'}) class-attribute instance-attribute
srs_name = field(default=None, metadata={'name': 'srsName', 'type': 'Attribute'}) class-attribute instance-attribute
__init__(handle=None, other_element=list(), input_format='application/gml+xml; version=3.2', srs_name=None)
list_stored_queries
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
ListStoredQueries dataclass

Bases: ListStoredQueriesType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/list_stored_queries.py
10
11
12
13
@dataclass
class ListStoredQueries(ListStoredQueriesType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/list_stored_queries.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(version=None, handle=None)
list_stored_queries_response
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
ListStoredQueriesResponse dataclass

Bases: ListStoredQueriesResponseType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/list_stored_queries_response.py
10
11
12
13
@dataclass
class ListStoredQueriesResponse(ListStoredQueriesResponseType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/list_stored_queries_response.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(stored_query=list())
list_stored_queries_response_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
ListStoredQueriesResponseType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/list_stored_queries_response_type.py
10
11
12
13
14
15
16
17
18
19
@dataclass
class ListStoredQueriesResponseType:
    stored_query: list[StoredQueryListItemType] = field(
        default_factory=list,
        metadata={
            "name": "StoredQuery",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
stored_query = field(default_factory=list, metadata={'name': 'StoredQuery', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(stored_query=list())
list_stored_queries_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
ListStoredQueriesType dataclass

Bases: BaseRequestType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/list_stored_queries_type.py
10
11
12
@dataclass
class ListStoredQueriesType(BaseRequestType):
    pass
__init__(version=None, handle=None)
lock_feature
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
LockFeature dataclass

Bases: LockFeatureType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/lock_feature.py
10
11
12
13
@dataclass
class LockFeature(LockFeatureType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/lock_feature.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(version=None, handle=None, stored_query=list(), query=list(), lock_id=None, expiry=300, lock_action=AllSomeType.ALL)
lock_feature_response
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
LockFeatureResponse dataclass

Bases: LockFeatureResponseType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/lock_feature_response.py
10
11
12
13
@dataclass
class LockFeatureResponse(LockFeatureResponseType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/lock_feature_response.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(features_locked=None, features_not_locked=None, lock_id=None)
lock_feature_response_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
LockFeatureResponseType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/lock_feature_response_type.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
@dataclass
class LockFeatureResponseType:
    features_locked: Optional[FeaturesLockedType] = field(
        default=None,
        metadata={
            "name": "FeaturesLocked",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    features_not_locked: Optional[FeaturesNotLockedType] = field(
        default=None,
        metadata={
            "name": "FeaturesNotLocked",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    lock_id: Optional[str] = field(
        default=None,
        metadata={
            "name": "lockId",
            "type": "Attribute",
        },
    )
features_locked = field(default=None, metadata={'name': 'FeaturesLocked', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
features_not_locked = field(default=None, metadata={'name': 'FeaturesNotLocked', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
lock_id = field(default=None, metadata={'name': 'lockId', 'type': 'Attribute'}) class-attribute instance-attribute
__init__(features_locked=None, features_not_locked=None, lock_id=None)
lock_feature_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
LockFeatureType dataclass

Bases: BaseRequestType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/lock_feature_type.py
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
@dataclass
class LockFeatureType(BaseRequestType):
    stored_query: list[StoredQuery] = field(
        default_factory=list,
        metadata={
            "name": "StoredQuery",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    query: list[Query] = field(
        default_factory=list,
        metadata={
            "name": "Query",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    lock_id: Optional[str] = field(
        default=None,
        metadata={
            "name": "lockId",
            "type": "Attribute",
        },
    )
    expiry: int = field(
        default=300,
        metadata={
            "type": "Attribute",
        },
    )
    lock_action: AllSomeType = field(
        default=AllSomeType.ALL,
        metadata={
            "name": "lockAction",
            "type": "Attribute",
        },
    )
expiry = field(default=300, metadata={'type': 'Attribute'}) class-attribute instance-attribute
lock_action = field(default=AllSomeType.ALL, metadata={'name': 'lockAction', 'type': 'Attribute'}) class-attribute instance-attribute
lock_id = field(default=None, metadata={'name': 'lockId', 'type': 'Attribute'}) class-attribute instance-attribute
query = field(default_factory=list, metadata={'name': 'Query', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
stored_query = field(default_factory=list, metadata={'name': 'StoredQuery', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(version=None, handle=None, stored_query=list(), query=list(), lock_id=None, expiry=300, lock_action=AllSomeType.ALL)
member_property_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
AdditionalObjects dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
@dataclass
class AdditionalObjects:
    class Meta:
        name = "additionalObjects"
        namespace = "http://www.opengis.net/wfs/2.0"

    value_collection: Optional[ValueCollection] = field(
        default=None,
        metadata={
            "name": "ValueCollection",
            "type": "Element",
        },
    )
    feature_collection: Optional[FeatureCollection] = field(
        default=None,
        metadata={
            "name": "FeatureCollection",
            "type": "Element",
        },
    )
    simple_feature_collection: Optional[SimpleFeatureCollection] = field(
        default=None,
        metadata={
            "name": "SimpleFeatureCollection",
            "type": "Element",
        },
    )
feature_collection = field(default=None, metadata={'name': 'FeatureCollection', 'type': 'Element'}) class-attribute instance-attribute
simple_feature_collection = field(default=None, metadata={'name': 'SimpleFeatureCollection', 'type': 'Element'}) class-attribute instance-attribute
value_collection = field(default=None, metadata={'name': 'ValueCollection', 'type': 'Element'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
310
311
312
class Meta:
    name = "additionalObjects"
    namespace = "http://www.opengis.net/wfs/2.0"
name = 'additionalObjects' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(value_collection=None, feature_collection=None, simple_feature_collection=None)
AdditionalValues dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
@dataclass
class AdditionalValues:
    class Meta:
        name = "additionalValues"
        namespace = "http://www.opengis.net/wfs/2.0"

    value_collection: Optional[ValueCollection] = field(
        default=None,
        metadata={
            "name": "ValueCollection",
            "type": "Element",
        },
    )
    feature_collection: Optional[FeatureCollection] = field(
        default=None,
        metadata={
            "name": "FeatureCollection",
            "type": "Element",
        },
    )
    simple_feature_collection: Optional[SimpleFeatureCollection] = field(
        default=None,
        metadata={
            "name": "SimpleFeatureCollection",
            "type": "Element",
        },
    )
feature_collection = field(default=None, metadata={'name': 'FeatureCollection', 'type': 'Element'}) class-attribute instance-attribute
simple_feature_collection = field(default=None, metadata={'name': 'SimpleFeatureCollection', 'type': 'Element'}) class-attribute instance-attribute
value_collection = field(default=None, metadata={'name': 'ValueCollection', 'type': 'Element'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
339
340
341
class Meta:
    name = "additionalValues"
    namespace = "http://www.opengis.net/wfs/2.0"
name = 'additionalValues' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(value_collection=None, feature_collection=None, simple_feature_collection=None)
FeatureCollection dataclass

Bases: FeatureCollectionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
302
303
304
305
@dataclass
class FeatureCollection(FeatureCollectionType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
304
305
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(bounded_by=None, member=list(), additional_objects=None, truncated_response=None, time_stamp=None, number_matched=None, number_returned=None, next=None, previous=None, lock_id=None)
FeatureCollectionType dataclass

Bases: SimpleFeatureCollectionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
@dataclass
class FeatureCollectionType(SimpleFeatureCollectionType):
    additional_objects: Optional["AdditionalObjects"] = field(
        default=None,
        metadata={
            "name": "additionalObjects",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    truncated_response: Optional[TruncatedResponse] = field(
        default=None,
        metadata={
            "name": "truncatedResponse",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    time_stamp: Optional[XmlDateTime] = field(
        default=None,
        metadata={
            "name": "timeStamp",
            "type": "Attribute",
            "required": True,
        },
    )
    number_matched: Optional[Union[int, NonNegativeIntegerOrUnknownValue]] = field(
        default=None,
        metadata={
            "name": "numberMatched",
            "type": "Attribute",
            "required": True,
        },
    )
    number_returned: Optional[int] = field(
        default=None,
        metadata={
            "name": "numberReturned",
            "type": "Attribute",
            "required": True,
        },
    )
    next: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
    previous: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
    lock_id: Optional[str] = field(
        default=None,
        metadata={
            "name": "lockId",
            "type": "Attribute",
        },
    )
additional_objects = field(default=None, metadata={'name': 'additionalObjects', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
lock_id = field(default=None, metadata={'name': 'lockId', 'type': 'Attribute'}) class-attribute instance-attribute
next = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
number_matched = field(default=None, metadata={'name': 'numberMatched', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
number_returned = field(default=None, metadata={'name': 'numberReturned', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
previous = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
time_stamp = field(default=None, metadata={'name': 'timeStamp', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
truncated_response = field(default=None, metadata={'name': 'truncatedResponse', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(bounded_by=None, member=list(), additional_objects=None, truncated_response=None, time_stamp=None, number_matched=None, number_returned=None, next=None, previous=None, lock_id=None)
Member dataclass

Bases: MemberPropertyType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
189
190
191
192
193
@dataclass
class Member(MemberPropertyType):
    class Meta:
        name = "member"
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
191
192
193
class Meta:
    name = "member"
    namespace = "http://www.opengis.net/wfs/2.0"
name = 'member' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(state=None, href=None, role=None, arcrole=None, title=None, show=None, actuate=None, content=list())
MemberPropertyType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
@dataclass
class MemberPropertyType:
    state: Optional[Union[str, StateValueTypeValue]] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "pattern": r"other:\w{2,}",
        },
    )
    type_value: TypeType = field(
        init=False,
        default=TypeType.SIMPLE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    href: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    arcrole: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    show: Optional[ShowType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    actuate: Optional[ActuateType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    content: list[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
            "mixed": True,
            "choices": (
                {
                    "name": "Tuple",
                    "type": ForwardRef("Tuple"),
                    "namespace": "http://www.opengis.net/wfs/2.0",
                },
                {
                    "name": "FeatureCollection",
                    "type": ForwardRef("FeatureCollection"),
                    "namespace": "http://www.opengis.net/wfs/2.0",
                },
                {
                    "name": "SimpleFeatureCollection",
                    "type": ForwardRef("SimpleFeatureCollection"),
                    "namespace": "http://www.opengis.net/wfs/2.0",
                },
            ),
        },
    )
actuate = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
arcrole = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
content = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##any', 'mixed': True, 'choices': ({'name': 'Tuple', 'type': ForwardRef('Tuple'), 'namespace': 'http://www.opengis.net/wfs/2.0'}, {'name': 'FeatureCollection', 'type': ForwardRef('FeatureCollection'), 'namespace': 'http://www.opengis.net/wfs/2.0'}, {'name': 'SimpleFeatureCollection', 'type': ForwardRef('SimpleFeatureCollection'), 'namespace': 'http://www.opengis.net/wfs/2.0'})}) class-attribute instance-attribute
href = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
show = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
state = field(default=None, metadata={'type': 'Attribute', 'pattern': 'other:\\w{2,}'}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.SIMPLE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
__init__(state=None, href=None, role=None, arcrole=None, title=None, show=None, actuate=None, content=list())
SimpleFeatureCollection dataclass

Bases: SimpleFeatureCollectionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
290
291
292
293
@dataclass
class SimpleFeatureCollection(SimpleFeatureCollectionType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
292
293
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(bounded_by=None, member=list())
SimpleFeatureCollectionType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
@dataclass
class SimpleFeatureCollectionType:
    bounded_by: Optional[BoundedBy] = field(
        default=None,
        metadata={
            "name": "boundedBy",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    member: list[Member] = field(
        default_factory=list,
        metadata={
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
bounded_by = field(default=None, metadata={'name': 'boundedBy', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
member = field(default_factory=list, metadata={'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(bounded_by=None, member=list())
Tuple dataclass

Bases: TupleType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
296
297
298
299
@dataclass
class Tuple(TupleType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
298
299
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(member=list())
TupleType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
215
216
217
218
219
220
221
222
223
224
@dataclass
class TupleType:
    member: list[Member] = field(
        default_factory=list,
        metadata={
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "min_occurs": 2,
        },
    )
member = field(default_factory=list, metadata={'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'min_occurs': 2}) class-attribute instance-attribute
__init__(member=list())
ValueCollection dataclass

Bases: ValueCollectionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
183
184
185
186
@dataclass
class ValueCollection(ValueCollectionType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
185
186
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(member=list(), additional_values=None, truncated_response=None, time_stamp=None, number_matched=None, number_returned=None, next=None, previous=None)
ValueCollectionType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/member_property_type.py
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
@dataclass
class ValueCollectionType:
    member: list["Member"] = field(
        default_factory=list,
        metadata={
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    additional_values: Optional["AdditionalValues"] = field(
        default=None,
        metadata={
            "name": "additionalValues",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    truncated_response: Optional[TruncatedResponse] = field(
        default=None,
        metadata={
            "name": "truncatedResponse",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    time_stamp: Optional[XmlDateTime] = field(
        default=None,
        metadata={
            "name": "timeStamp",
            "type": "Attribute",
            "required": True,
        },
    )
    number_matched: Optional[Union[int, NonNegativeIntegerOrUnknownValue]] = field(
        default=None,
        metadata={
            "name": "numberMatched",
            "type": "Attribute",
            "required": True,
        },
    )
    number_returned: Optional[int] = field(
        default=None,
        metadata={
            "name": "numberReturned",
            "type": "Attribute",
            "required": True,
        },
    )
    next: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
    previous: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
additional_values = field(default=None, metadata={'name': 'additionalValues', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
member = field(default_factory=list, metadata={'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
next = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
number_matched = field(default=None, metadata={'name': 'numberMatched', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
number_returned = field(default=None, metadata={'name': 'numberReturned', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
previous = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
time_stamp = field(default=None, metadata={'name': 'timeStamp', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
truncated_response = field(default=None, metadata={'name': 'truncatedResponse', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(member=list(), additional_values=None, truncated_response=None, time_stamp=None, number_matched=None, number_returned=None, next=None, previous=None)
metadata_urltype
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
MetadataUrltype dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/metadata_urltype.py
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
@dataclass
class MetadataUrltype:
    class Meta:
        name = "MetadataURLType"

    type_value: TypeType = field(
        init=False,
        default=TypeType.SIMPLE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    href: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    arcrole: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    show: Optional[ShowType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    actuate: Optional[ActuateType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    about: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
about = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
actuate = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
arcrole = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
href = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
show = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.SIMPLE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/metadata_urltype.py
19
20
class Meta:
    name = "MetadataURLType"
name = 'MetadataURLType' class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None, about=None)
native
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
Native dataclass

Bases: NativeType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/native.py
10
11
12
13
@dataclass
class Native(NativeType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/native.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(handle=None, vendor_id=None, safe_to_ignore=None, content=list())
native_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
NativeType dataclass

Bases: AbstractTransactionActionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/native_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
@dataclass
class NativeType(AbstractTransactionActionType):
    vendor_id: Optional[str] = field(
        default=None,
        metadata={
            "name": "vendorId",
            "type": "Attribute",
            "required": True,
        },
    )
    safe_to_ignore: Optional[bool] = field(
        default=None,
        metadata={
            "name": "safeToIgnore",
            "type": "Attribute",
            "required": True,
        },
    )
    content: list[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
            "mixed": True,
        },
    )
content = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##any', 'mixed': True}) class-attribute instance-attribute
safe_to_ignore = field(default=None, metadata={'name': 'safeToIgnore', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
vendor_id = field(default=None, metadata={'name': 'vendorId', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
__init__(handle=None, vendor_id=None, safe_to_ignore=None, content=list())
non_negative_integer_or_unknown_value
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
NonNegativeIntegerOrUnknownValue

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/non_negative_integer_or_unknown_value.py
6
7
class NonNegativeIntegerOrUnknownValue(Enum):
    UNKNOWN = "unknown"
UNKNOWN = 'unknown' class-attribute instance-attribute
output_format_list_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
OutputFormatListType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/output_format_list_type.py
 6
 7
 8
 9
10
11
12
13
14
15
16
@dataclass
class OutputFormatListType:
    format: list[str] = field(
        default_factory=list,
        metadata={
            "name": "Format",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "min_occurs": 1,
        },
    )
format = field(default_factory=list, metadata={'name': 'Format', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'min_occurs': 1}) class-attribute instance-attribute
__init__(format=list())
parameter_expression_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
ParameterExpressionType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/parameter_expression_type.py
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
@dataclass
class ParameterExpressionType:
    title: list[Title] = field(
        default_factory=list,
        metadata={
            "name": "Title",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    abstract: list[Abstract] = field(
        default_factory=list,
        metadata={
            "name": "Abstract",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    metadata: list[Metadata] = field(
        default_factory=list,
        metadata={
            "name": "Metadata",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    name: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    type_value: Optional[QName] = field(
        default=None,
        metadata={
            "name": "type",
            "type": "Attribute",
            "required": True,
        },
    )
abstract = field(default_factory=list, metadata={'name': 'Abstract', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
metadata = field(default_factory=list, metadata={'name': 'Metadata', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
name = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
title = field(default_factory=list, metadata={'name': 'Title', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
type_value = field(default=None, metadata={'name': 'type', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
__init__(title=list(), abstract=list(), metadata=list(), name=None, type_value=None)
parameter_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
ParameterType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/parameter_type.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
@dataclass
class ParameterType:
    name: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    content: list[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
            "mixed": True,
        },
    )
content = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##any', 'mixed': True}) class-attribute instance-attribute
name = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
__init__(name=None, content=list())
property
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
Property dataclass

Bases: PropertyType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/property.py
10
11
12
13
@dataclass
class Property(PropertyType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/property.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(value_reference=None, value=None)
property_name
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
PropertyName dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/property_name.py
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
@dataclass
class PropertyName:
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"

    value: Optional[QName] = field(
        default=None,
        metadata={
            "required": True,
        },
    )
    resolve: ResolveValueType = field(
        default=ResolveValueType.NONE,
        metadata={
            "type": "Attribute",
        },
    )
    resolve_depth: Union[int, StarStringType] = field(
        default=StarStringType.ASTERISK,
        metadata={
            "name": "resolveDepth",
            "type": "Attribute",
        },
    )
    resolve_timeout: int = field(
        default=300,
        metadata={
            "name": "resolveTimeout",
            "type": "Attribute",
        },
    )
    resolve_path: Optional[str] = field(
        default=None,
        metadata={
            "name": "resolvePath",
            "type": "Attribute",
        },
    )
resolve = field(default=ResolveValueType.NONE, metadata={'type': 'Attribute'}) class-attribute instance-attribute
resolve_depth = field(default=StarStringType.ASTERISK, metadata={'name': 'resolveDepth', 'type': 'Attribute'}) class-attribute instance-attribute
resolve_path = field(default=None, metadata={'name': 'resolvePath', 'type': 'Attribute'}) class-attribute instance-attribute
resolve_timeout = field(default=300, metadata={'name': 'resolveTimeout', 'type': 'Attribute'}) class-attribute instance-attribute
value = field(default=None, metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/property_name.py
17
18
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(value=None, resolve=ResolveValueType.NONE, resolve_depth=StarStringType.ASTERISK, resolve_timeout=300, resolve_path=None)
property_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
PropertyType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/property_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
@dataclass
class PropertyType:
    value_reference: Optional["PropertyType.ValueReference"] = field(
        default=None,
        metadata={
            "name": "ValueReference",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "required": True,
        },
    )
    value: Optional[object] = field(
        default=None,
        metadata={
            "name": "Value",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )

    @dataclass
    class ValueReference:
        value: str = field(
            default="",
            metadata={
                "required": True,
            },
        )
        action: UpdateActionType = field(
            default=UpdateActionType.REPLACE,
            metadata={
                "type": "Attribute",
            },
        )
value = field(default=None, metadata={'name': 'Value', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
value_reference = field(default=None, metadata={'name': 'ValueReference', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'required': True}) class-attribute instance-attribute
ValueReference dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/property_type.py
31
32
33
34
35
36
37
38
39
40
41
42
43
44
@dataclass
class ValueReference:
    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
    action: UpdateActionType = field(
        default=UpdateActionType.REPLACE,
        metadata={
            "type": "Attribute",
        },
    )
action = field(default=UpdateActionType.REPLACE, metadata={'type': 'Attribute'}) class-attribute instance-attribute
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
__init__(value='', action=UpdateActionType.REPLACE)
__init__(value_reference=None, value=None)
query
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
Query dataclass

Bases: QueryType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/query.py
10
11
12
13
@dataclass
class Query(QueryType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/query.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(handle=None, property_name=list(), filter=None, sort_by=None, type_names=list(), aliases=list(), srs_name=None, feature_version=None)
query_expression_text_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
QueryExpressionTextType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/query_expression_text_type.py
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
@dataclass
class QueryExpressionTextType:
    return_feature_types: list[QName] = field(
        default_factory=list,
        metadata={
            "name": "returnFeatureTypes",
            "type": "Attribute",
            "tokens": True,
        },
    )
    language: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    is_private: bool = field(
        default=False,
        metadata={
            "name": "isPrivate",
            "type": "Attribute",
        },
    )
    content: list[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
            "mixed": True,
        },
    )
content = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##any', 'mixed': True}) class-attribute instance-attribute
is_private = field(default=False, metadata={'name': 'isPrivate', 'type': 'Attribute'}) class-attribute instance-attribute
language = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
return_feature_types = field(default_factory=list, metadata={'name': 'returnFeatureTypes', 'type': 'Attribute', 'tokens': True}) class-attribute instance-attribute
__init__(return_feature_types=list(), language=None, is_private=False, content=list())
query_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
QueryType dataclass

Bases: AbstractAdhocQueryExpressionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/query_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
@dataclass
class QueryType(AbstractAdhocQueryExpressionType):
    srs_name: Optional[str] = field(
        default=None,
        metadata={
            "name": "srsName",
            "type": "Attribute",
        },
    )
    feature_version: Optional[str] = field(
        default=None,
        metadata={
            "name": "featureVersion",
            "type": "Attribute",
        },
    )
feature_version = field(default=None, metadata={'name': 'featureVersion', 'type': 'Attribute'}) class-attribute instance-attribute
srs_name = field(default=None, metadata={'name': 'srsName', 'type': 'Attribute'}) class-attribute instance-attribute
__init__(handle=None, property_name=list(), filter=None, sort_by=None, type_names=list(), aliases=list(), srs_name=None, feature_version=None)
replace
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
Replace dataclass

Bases: ReplaceType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/replace.py
10
11
12
13
@dataclass
class Replace(ReplaceType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/replace.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(handle=None, other_element=None, filter=None, input_format='application/gml+xml; version=3.2', srs_name=None)
replace_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
ReplaceType dataclass

Bases: AbstractTransactionActionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/replace_type.py
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
@dataclass
class ReplaceType(AbstractTransactionActionType):
    other_element: Optional[object] = field(
        default=None,
        metadata={
            "type": "Wildcard",
            "namespace": "##other",
        },
    )
    filter: Optional[Filter] = field(
        default=None,
        metadata={
            "name": "Filter",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
            "required": True,
        },
    )
    input_format: str = field(
        default="application/gml+xml; version=3.2",
        metadata={
            "name": "inputFormat",
            "type": "Attribute",
        },
    )
    srs_name: Optional[str] = field(
        default=None,
        metadata={
            "name": "srsName",
            "type": "Attribute",
        },
    )
filter = field(default=None, metadata={'name': 'Filter', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0', 'required': True}) class-attribute instance-attribute
input_format = field(default='application/gml+xml; version=3.2', metadata={'name': 'inputFormat', 'type': 'Attribute'}) class-attribute instance-attribute
other_element = field(default=None, metadata={'type': 'Wildcard', 'namespace': '##other'}) class-attribute instance-attribute
srs_name = field(default=None, metadata={'name': 'srsName', 'type': 'Attribute'}) class-attribute instance-attribute
__init__(handle=None, other_element=None, filter=None, input_format='application/gml+xml; version=3.2', srs_name=None)
resolve_value_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
ResolveValueType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/resolve_value_type.py
 6
 7
 8
 9
10
class ResolveValueType(Enum):
    LOCAL = "local"
    REMOTE = "remote"
    ALL = "all"
    NONE = "none"
ALL = 'all' class-attribute instance-attribute
LOCAL = 'local' class-attribute instance-attribute
NONE = 'none' class-attribute instance-attribute
REMOTE = 'remote' class-attribute instance-attribute
result_type_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
ResultTypeType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/result_type_type.py
6
7
8
class ResultTypeType(Enum):
    RESULTS = "results"
    HITS = "hits"
HITS = 'hits' class-attribute instance-attribute
RESULTS = 'results' class-attribute instance-attribute
star_string_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
StarStringType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/star_string_type.py
6
7
class StarStringType(Enum):
    ASTERISK = "*"
ASTERISK = '*' class-attribute instance-attribute
state_value_type_value
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
StateValueTypeValue

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/state_value_type_value.py
 6
 7
 8
 9
10
class StateValueTypeValue(Enum):
    VALID = "valid"
    SUPERSEDED = "superseded"
    RETIRED = "retired"
    FUTURE = "future"
FUTURE = 'future' class-attribute instance-attribute
RETIRED = 'retired' class-attribute instance-attribute
SUPERSEDED = 'superseded' class-attribute instance-attribute
VALID = 'valid' class-attribute instance-attribute
stored_query
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
StoredQuery dataclass

Bases: StoredQueryType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/stored_query.py
10
11
12
13
@dataclass
class StoredQuery(StoredQueryType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/stored_query.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(handle=None, parameter=list(), id=None)
stored_query_description_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
StoredQueryDescriptionType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/stored_query_description_type.py
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
@dataclass
class StoredQueryDescriptionType:
    title: list[Title] = field(
        default_factory=list,
        metadata={
            "name": "Title",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    abstract: list[Abstract] = field(
        default_factory=list,
        metadata={
            "name": "Abstract",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    metadata: list[Metadata] = field(
        default_factory=list,
        metadata={
            "name": "Metadata",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
        },
    )
    parameter: list[ParameterExpressionType] = field(
        default_factory=list,
        metadata={
            "name": "Parameter",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    query_expression_text: list[QueryExpressionTextType] = field(
        default_factory=list,
        metadata={
            "name": "QueryExpressionText",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "min_occurs": 1,
        },
    )
    id: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
abstract = field(default_factory=list, metadata={'name': 'Abstract', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
id = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
metadata = field(default_factory=list, metadata={'name': 'Metadata', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1'}) class-attribute instance-attribute
parameter = field(default_factory=list, metadata={'name': 'Parameter', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
query_expression_text = field(default_factory=list, metadata={'name': 'QueryExpressionText', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'min_occurs': 1}) class-attribute instance-attribute
title = field(default_factory=list, metadata={'name': 'Title', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(title=list(), abstract=list(), metadata=list(), parameter=list(), query_expression_text=list(), id=None)
stored_query_list_item_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
StoredQueryListItemType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/stored_query_list_item_type.py
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
@dataclass
class StoredQueryListItemType:
    title: list[Title] = field(
        default_factory=list,
        metadata={
            "name": "Title",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    return_feature_type: list[QName] = field(
        default_factory=list,
        metadata={
            "name": "ReturnFeatureType",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    id: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
id = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
return_feature_type = field(default_factory=list, metadata={'name': 'ReturnFeatureType', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
title = field(default_factory=list, metadata={'name': 'Title', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(title=list(), return_feature_type=list(), id=None)
stored_query_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
StoredQueryType dataclass

Bases: AbstractQueryExpressionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/stored_query_type.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
@dataclass
class StoredQueryType(AbstractQueryExpressionType):
    parameter: list[ParameterType] = field(
        default_factory=list,
        metadata={
            "name": "Parameter",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    id: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
id = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
parameter = field(default_factory=list, metadata={'name': 'Parameter', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(handle=None, parameter=list(), id=None)
title
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
Title dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/title.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
@dataclass
class Title:
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
    lang: Union[str, LangValue] = field(
        default="en",
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/XML/1998/namespace",
        },
    )
lang = field(default='en', metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/XML/1998/namespace'}) class-attribute instance-attribute
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/title.py
13
14
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(value='', lang='en')
transaction
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
Transaction dataclass

Bases: TransactionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/transaction.py
10
11
12
13
@dataclass
class Transaction(TransactionType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/transaction.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(version=None, handle=None, native=list(), delete=list(), replace=list(), update=list(), insert=list(), lock_id=None, release_action=AllSomeType.ALL, srs_name=None)
transaction_response
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
TransactionResponse dataclass

Bases: TransactionResponseType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/transaction_response.py
10
11
12
13
@dataclass
class TransactionResponse(TransactionResponseType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/transaction_response.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(transaction_summary=None, insert_results=None, update_results=None, replace_results=None, version=None)
transaction_response_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
TransactionResponseType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/transaction_response_type.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
@dataclass
class TransactionResponseType:
    transaction_summary: Optional[TransactionSummaryType] = field(
        default=None,
        metadata={
            "name": "TransactionSummary",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "required": True,
        },
    )
    insert_results: Optional[ActionResultsType] = field(
        default=None,
        metadata={
            "name": "InsertResults",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    update_results: Optional[ActionResultsType] = field(
        default=None,
        metadata={
            "name": "UpdateResults",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    replace_results: Optional[ActionResultsType] = field(
        default=None,
        metadata={
            "name": "ReplaceResults",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    version: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
            "pattern": r"2\.0\.\d+",
        },
    )
insert_results = field(default=None, metadata={'name': 'InsertResults', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
replace_results = field(default=None, metadata={'name': 'ReplaceResults', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
transaction_summary = field(default=None, metadata={'name': 'TransactionSummary', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'required': True}) class-attribute instance-attribute
update_results = field(default=None, metadata={'name': 'UpdateResults', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
version = field(default=None, metadata={'type': 'Attribute', 'required': True, 'pattern': '2\\.0\\.\\d+'}) class-attribute instance-attribute
__init__(transaction_summary=None, insert_results=None, update_results=None, replace_results=None, version=None)
transaction_summary_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
TransactionSummaryType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/transaction_summary_type.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
@dataclass
class TransactionSummaryType:
    total_inserted: Optional[int] = field(
        default=None,
        metadata={
            "name": "totalInserted",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    total_updated: Optional[int] = field(
        default=None,
        metadata={
            "name": "totalUpdated",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    total_replaced: Optional[int] = field(
        default=None,
        metadata={
            "name": "totalReplaced",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    total_deleted: Optional[int] = field(
        default=None,
        metadata={
            "name": "totalDeleted",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
total_deleted = field(default=None, metadata={'name': 'totalDeleted', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
total_inserted = field(default=None, metadata={'name': 'totalInserted', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
total_replaced = field(default=None, metadata={'name': 'totalReplaced', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
total_updated = field(default=None, metadata={'name': 'totalUpdated', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(total_inserted=None, total_updated=None, total_replaced=None, total_deleted=None)
transaction_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
TransactionType dataclass

Bases: BaseRequestType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/transaction_type.py
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
@dataclass
class TransactionType(BaseRequestType):
    native: list[Native] = field(
        default_factory=list,
        metadata={
            "name": "Native",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    delete: list[Delete] = field(
        default_factory=list,
        metadata={
            "name": "Delete",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    replace: list[Replace] = field(
        default_factory=list,
        metadata={
            "name": "Replace",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    update: list[Update] = field(
        default_factory=list,
        metadata={
            "name": "Update",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    insert: list[Insert] = field(
        default_factory=list,
        metadata={
            "name": "Insert",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    lock_id: Optional[str] = field(
        default=None,
        metadata={
            "name": "lockId",
            "type": "Attribute",
        },
    )
    release_action: AllSomeType = field(
        default=AllSomeType.ALL,
        metadata={
            "name": "releaseAction",
            "type": "Attribute",
        },
    )
    srs_name: Optional[str] = field(
        default=None,
        metadata={
            "name": "srsName",
            "type": "Attribute",
        },
    )
delete = field(default_factory=list, metadata={'name': 'Delete', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
insert = field(default_factory=list, metadata={'name': 'Insert', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
lock_id = field(default=None, metadata={'name': 'lockId', 'type': 'Attribute'}) class-attribute instance-attribute
native = field(default_factory=list, metadata={'name': 'Native', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
release_action = field(default=AllSomeType.ALL, metadata={'name': 'releaseAction', 'type': 'Attribute'}) class-attribute instance-attribute
replace = field(default_factory=list, metadata={'name': 'Replace', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
srs_name = field(default=None, metadata={'name': 'srsName', 'type': 'Attribute'}) class-attribute instance-attribute
update = field(default_factory=list, metadata={'name': 'Update', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
__init__(version=None, handle=None, native=list(), delete=list(), replace=list(), update=list(), insert=list(), lock_id=None, release_action=AllSomeType.ALL, srs_name=None)
truncated_response
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
TruncatedResponse dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/truncated_response.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
@dataclass
class TruncatedResponse:
    class Meta:
        name = "truncatedResponse"
        namespace = "http://www.opengis.net/wfs/2.0"

    exception_report: Optional[ExceptionReport] = field(
        default=None,
        metadata={
            "name": "ExceptionReport",
            "type": "Element",
            "namespace": "http://www.opengis.net/ows/1.1",
            "required": True,
        },
    )
exception_report = field(default=None, metadata={'name': 'ExceptionReport', 'type': 'Element', 'namespace': 'http://www.opengis.net/ows/1.1', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/truncated_response.py
13
14
15
class Meta:
    name = "truncatedResponse"
    namespace = "http://www.opengis.net/wfs/2.0"
name = 'truncatedResponse' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(exception_report=None)
update
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
Update dataclass

Bases: UpdateType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/update.py
10
11
12
13
@dataclass
class Update(UpdateType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/update.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(handle=None, property=list(), filter=None, type_name=None, input_format='application/gml+xml; version=3.2', srs_name=None)
update_action_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
UpdateActionType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/update_action_type.py
 6
 7
 8
 9
10
class UpdateActionType(Enum):
    REPLACE = "replace"
    INSERT_BEFORE = "insertBefore"
    INSERT_AFTER = "insertAfter"
    REMOVE = "remove"
INSERT_AFTER = 'insertAfter' class-attribute instance-attribute
INSERT_BEFORE = 'insertBefore' class-attribute instance-attribute
REMOVE = 'remove' class-attribute instance-attribute
REPLACE = 'replace' class-attribute instance-attribute
update_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
UpdateType dataclass

Bases: AbstractTransactionActionType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/update_type.py
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
@dataclass
class UpdateType(AbstractTransactionActionType):
    property: list[Property] = field(
        default_factory=list,
        metadata={
            "name": "Property",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "min_occurs": 1,
        },
    )
    filter: Optional[Filter] = field(
        default=None,
        metadata={
            "name": "Filter",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )
    type_name: Optional[QName] = field(
        default=None,
        metadata={
            "name": "typeName",
            "type": "Attribute",
            "required": True,
        },
    )
    input_format: str = field(
        default="application/gml+xml; version=3.2",
        metadata={
            "name": "inputFormat",
            "type": "Attribute",
        },
    )
    srs_name: Optional[str] = field(
        default=None,
        metadata={
            "name": "srsName",
            "type": "Attribute",
        },
    )
filter = field(default=None, metadata={'name': 'Filter', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
input_format = field(default='application/gml+xml; version=3.2', metadata={'name': 'inputFormat', 'type': 'Attribute'}) class-attribute instance-attribute
property = field(default_factory=list, metadata={'name': 'Property', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'min_occurs': 1}) class-attribute instance-attribute
srs_name = field(default=None, metadata={'name': 'srsName', 'type': 'Attribute'}) class-attribute instance-attribute
type_name = field(default=None, metadata={'name': 'typeName', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
__init__(handle=None, property=list(), filter=None, type_name=None, input_format='application/gml+xml; version=3.2', srs_name=None)
value
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
Value dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/value.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
@dataclass
class Value:
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"

    any_element: Optional[object] = field(
        default=None,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
        },
    )
any_element = field(default=None, metadata={'type': 'Wildcard', 'namespace': '##any'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/value.py
 9
10
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(any_element=None)
value_list
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
ValueList dataclass

Bases: ValueListType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/value_list.py
10
11
12
13
@dataclass
class ValueList(ValueListType):
    class Meta:
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/value_list.py
12
13
class Meta:
    namespace = "http://www.opengis.net/wfs/2.0"
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(value=list())
value_list_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
ValueListType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/value_list_type.py
 8
 9
10
11
12
13
14
15
16
17
18
@dataclass
class ValueListType:
    value: list[Value] = field(
        default_factory=list,
        metadata={
            "name": "Value",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
            "min_occurs": 1,
        },
    )
value = field(default_factory=list, metadata={'name': 'Value', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0', 'min_occurs': 1}) class-attribute instance-attribute
__init__(value=list())
wfs_capabilities
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
WfsCapabilities dataclass

Bases: WfsCapabilitiesType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/wfs_capabilities.py
10
11
12
13
14
@dataclass
class WfsCapabilities(WfsCapabilitiesType):
    class Meta:
        name = "WFS_Capabilities"
        namespace = "http://www.opengis.net/wfs/2.0"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/wfs_capabilities.py
12
13
14
class Meta:
    name = "WFS_Capabilities"
    namespace = "http://www.opengis.net/wfs/2.0"
name = 'WFS_Capabilities' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wfs/2.0' class-attribute instance-attribute
__init__(service_identification=None, service_provider=None, operations_metadata=None, version=None, update_sequence=None, wsdl=None, feature_type_list=None, filter_capabilities=None)
wfs_capabilities_type
__NAMESPACE__ = 'http://www.opengis.net/wfs/2.0' module-attribute
WfsCapabilitiesType dataclass

Bases: CapabilitiesBaseType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/wfs_capabilities_type.py
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
@dataclass
class WfsCapabilitiesType(CapabilitiesBaseType):
    class Meta:
        name = "WFS_CapabilitiesType"

    wsdl: Optional["WfsCapabilitiesType.Wsdl"] = field(
        default=None,
        metadata={
            "name": "WSDL",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    feature_type_list: Optional[FeatureTypeList] = field(
        default=None,
        metadata={
            "name": "FeatureTypeList",
            "type": "Element",
            "namespace": "http://www.opengis.net/wfs/2.0",
        },
    )
    filter_capabilities: Optional[FilterCapabilities] = field(
        default=None,
        metadata={
            "name": "Filter_Capabilities",
            "type": "Element",
            "namespace": "http://www.opengis.net/fes/2.0",
        },
    )

    @dataclass
    class Wsdl:
        any_element: Optional[object] = field(
            default=None,
            metadata={
                "type": "Wildcard",
                "namespace": "##any",
            },
        )
        type_value: TypeType = field(
            init=False,
            default=TypeType.SIMPLE,
            metadata={
                "name": "type",
                "type": "Attribute",
                "namespace": "http://www.w3.org/1999/xlink",
            },
        )
        href: Optional[str] = field(
            default=None,
            metadata={
                "type": "Attribute",
                "namespace": "http://www.w3.org/1999/xlink",
            },
        )
        role: Optional[str] = field(
            default=None,
            metadata={
                "type": "Attribute",
                "namespace": "http://www.w3.org/1999/xlink",
                "min_length": 1,
            },
        )
        arcrole: Optional[str] = field(
            default=None,
            metadata={
                "type": "Attribute",
                "namespace": "http://www.w3.org/1999/xlink",
                "min_length": 1,
            },
        )
        title: Optional[str] = field(
            default=None,
            metadata={
                "type": "Attribute",
                "namespace": "http://www.w3.org/1999/xlink",
            },
        )
        show: Optional[ShowType] = field(
            default=None,
            metadata={
                "type": "Attribute",
                "namespace": "http://www.w3.org/1999/xlink",
            },
        )
        actuate: Optional[ActuateType] = field(
            default=None,
            metadata={
                "type": "Attribute",
                "namespace": "http://www.w3.org/1999/xlink",
            },
        )
feature_type_list = field(default=None, metadata={'name': 'FeatureTypeList', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
filter_capabilities = field(default=None, metadata={'name': 'Filter_Capabilities', 'type': 'Element', 'namespace': 'http://www.opengis.net/fes/2.0'}) class-attribute instance-attribute
wsdl = field(default=None, metadata={'name': 'WSDL', 'type': 'Element', 'namespace': 'http://www.opengis.net/wfs/2.0'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/wfs_capabilities_type.py
28
29
class Meta:
    name = "WFS_CapabilitiesType"
name = 'WFS_CapabilitiesType' class-attribute instance-attribute
Wsdl dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/net/opengis/wfs/pkg_2/wfs_capabilities_type.py
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
@dataclass
class Wsdl:
    any_element: Optional[object] = field(
        default=None,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
        },
    )
    type_value: TypeType = field(
        init=False,
        default=TypeType.SIMPLE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    href: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    arcrole: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    show: Optional[ShowType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    actuate: Optional[ActuateType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
actuate = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
any_element = field(default=None, metadata={'type': 'Wildcard', 'namespace': '##any'}) class-attribute instance-attribute
arcrole = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
href = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
show = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.SIMPLE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
__init__(any_element=None, href=None, role=None, arcrole=None, title=None, show=None, actuate=None)
__init__(service_identification=None, service_provider=None, operations_metadata=None, version=None, update_sequence=None, wsdl=None, feature_type_list=None, filter_capabilities=None)
org
w3
pkg_1999
xlink
__all__ = ['ActuateType', 'Arc', 'ArcType', 'Extended', 'Locator', 'LocatorType', 'Resource', 'ResourceType', 'ShowType', 'Simple', 'Title', 'TitleEltType', 'TypeType'] module-attribute
ActuateType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/actuate_type.py
 6
 7
 8
 9
10
class ActuateType(Enum):
    ON_LOAD = "onLoad"
    ON_REQUEST = "onRequest"
    OTHER = "other"
    NONE = "none"
NONE = 'none' class-attribute instance-attribute
ON_LOAD = 'onLoad' class-attribute instance-attribute
ON_REQUEST = 'onRequest' class-attribute instance-attribute
OTHER = 'other' class-attribute instance-attribute
Arc dataclass

Bases: ArcType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/arc.py
 8
 9
10
11
12
@dataclass
class Arc(ArcType):
    class Meta:
        name = "arc"
        namespace = "http://www.w3.org/1999/xlink"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/arc.py
10
11
12
class Meta:
    name = "arc"
    namespace = "http://www.w3.org/1999/xlink"
name = 'arc' class-attribute instance-attribute
namespace = 'http://www.w3.org/1999/xlink' class-attribute instance-attribute
__init__(arcrole=None, title=None, show=None, actuate=None, from_value=None, to=None)
ArcType dataclass

:ivar type_value: :ivar arcrole: :ivar title: :ivar show: :ivar actuate: :ivar from_value: :ivar to: from and to have default behavior when values are missing

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/arc_type.py
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
@dataclass
class ArcType:
    """
    :ivar type_value:
    :ivar arcrole:
    :ivar title:
    :ivar show:
    :ivar actuate:
    :ivar from_value:
    :ivar to: from and to have default behavior when values are missing
    """

    class Meta:
        name = "arcType"

    type_value: TypeType = field(
        init=False,
        default=TypeType.ARC,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    arcrole: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    show: Optional[ShowType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    actuate: Optional[ActuateType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    from_value: Optional[str] = field(
        default=None,
        metadata={
            "name": "from",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    to: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
actuate = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
arcrole = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
from_value = field(default=None, metadata={'name': 'from', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
show = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
to = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.ARC, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/arc_type.py
29
30
class Meta:
    name = "arcType"
name = 'arcType' class-attribute instance-attribute
__init__(arcrole=None, title=None, show=None, actuate=None, from_value=None, to=None)
Extended dataclass

Intended for use as the type of user-declared elements to make them extended links.

Note that the elements referenced in the content model are all abstract. The intention is that by simply declaring elements with these as their substitutionGroup, all the right things will happen.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/extended.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
@dataclass
class Extended:
    """Intended for use as the type of user-declared elements to make them extended
    links.

    Note that the elements referenced in the content model are all
    abstract. The intention is that by simply declaring elements with
    these as their substitutionGroup, all the right things will happen.
    """

    class Meta:
        name = "extended"

    type_value: TypeType = field(
        init=False,
        default=TypeType.EXTENDED,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.EXTENDED, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/extended.py
21
22
class Meta:
    name = "extended"
name = 'extended' class-attribute instance-attribute
__init__(role=None, title=None)
Locator dataclass

Bases: LocatorType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/locator.py
10
11
12
13
14
@dataclass
class Locator(LocatorType):
    class Meta:
        name = "locator"
        namespace = "http://www.w3.org/1999/xlink"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/locator.py
12
13
14
class Meta:
    name = "locator"
    namespace = "http://www.w3.org/1999/xlink"
name = 'locator' class-attribute instance-attribute
namespace = 'http://www.w3.org/1999/xlink' class-attribute instance-attribute
__init__(href=None, role=None, title=None, label=None)
LocatorType dataclass

:ivar type_value: :ivar href: :ivar role: :ivar title: :ivar label: label is not required, but locators have no particular XLink function if they are not labeled.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/locator_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
@dataclass
class LocatorType:
    """
    :ivar type_value:
    :ivar href:
    :ivar role:
    :ivar title:
    :ivar label: label is not required, but locators have no particular
        XLink function if they are not labeled.
    """

    class Meta:
        name = "locatorType"

    type_value: TypeType = field(
        init=False,
        default=TypeType.LOCATOR,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    href: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    label: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
href = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
label = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.LOCATOR, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/locator_type.py
22
23
class Meta:
    name = "locatorType"
name = 'locatorType' class-attribute instance-attribute
__init__(href=None, role=None, title=None, label=None)
Resource dataclass

Bases: ResourceType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/resource.py
10
11
12
13
14
@dataclass
class Resource(ResourceType):
    class Meta:
        name = "resource"
        namespace = "http://www.w3.org/1999/xlink"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/resource.py
12
13
14
class Meta:
    name = "resource"
    namespace = "http://www.w3.org/1999/xlink"
name = 'resource' class-attribute instance-attribute
namespace = 'http://www.w3.org/1999/xlink' class-attribute instance-attribute
__init__(role=None, title=None, label=None, content=list())
ResourceType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/resource_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
@dataclass
class ResourceType:
    class Meta:
        name = "resourceType"

    type_value: TypeType = field(
        init=False,
        default=TypeType.RESOURCE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    label: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    content: list[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
            "mixed": True,
        },
    )
content = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##any', 'mixed': True}) class-attribute instance-attribute
label = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.RESOURCE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/resource_type.py
13
14
class Meta:
    name = "resourceType"
name = 'resourceType' class-attribute instance-attribute
__init__(role=None, title=None, label=None, content=list())
ShowType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/show_type.py
 6
 7
 8
 9
10
11
class ShowType(Enum):
    NEW = "new"
    REPLACE = "replace"
    EMBED = "embed"
    OTHER = "other"
    NONE = "none"
EMBED = 'embed' class-attribute instance-attribute
NEW = 'new' class-attribute instance-attribute
NONE = 'none' class-attribute instance-attribute
OTHER = 'other' class-attribute instance-attribute
REPLACE = 'replace' class-attribute instance-attribute
Simple dataclass

Intended for use as the type of user-declared elements to make them simple links.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/simple.py
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
@dataclass
class Simple:
    """
    Intended for use as the type of user-declared elements to make them simple
    links.
    """

    class Meta:
        name = "simple"

    type_value: TypeType = field(
        init=False,
        default=TypeType.SIMPLE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    href: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    arcrole: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    show: Optional[ShowType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    actuate: Optional[ActuateType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    content: list[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
            "mixed": True,
        },
    )
actuate = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
arcrole = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
content = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##any', 'mixed': True}) class-attribute instance-attribute
href = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
show = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.SIMPLE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/simple.py
24
25
class Meta:
    name = "simple"
name = 'simple' class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None, content=list())
Title dataclass

Bases: TitleEltType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/title.py
10
11
12
13
14
@dataclass
class Title(TitleEltType):
    class Meta:
        name = "title"
        namespace = "http://www.w3.org/1999/xlink"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/title.py
12
13
14
class Meta:
    name = "title"
    namespace = "http://www.w3.org/1999/xlink"
name = 'title' class-attribute instance-attribute
namespace = 'http://www.w3.org/1999/xlink' class-attribute instance-attribute
__init__(lang=None, content=list())
TitleEltType dataclass

:ivar type_value: :ivar lang: xml:lang is not required, but provides much of the motivation for title elements in addition to attributes, and so is provided here for convenience. :ivar content:

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/title_elt_type.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
@dataclass
class TitleEltType:
    """
    :ivar type_value:
    :ivar lang: xml:lang is not required, but provides much of the
        motivation for title elements in addition to attributes, and so
        is provided here for convenience.
    :ivar content:
    """

    class Meta:
        name = "titleEltType"

    type_value: TypeType = field(
        init=False,
        default=TypeType.TITLE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    lang: Optional[Union[str, LangValue]] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/XML/1998/namespace",
        },
    )
    content: list[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
            "mixed": True,
        },
    )
content = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##any', 'mixed': True}) class-attribute instance-attribute
lang = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/XML/1998/namespace'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.TITLE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/title_elt_type.py
24
25
class Meta:
    name = "titleEltType"
name = 'titleEltType' class-attribute instance-attribute
__init__(lang=None, content=list())
TypeType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/type_type.py
 6
 7
 8
 9
10
11
12
class TypeType(Enum):
    SIMPLE = "simple"
    EXTENDED = "extended"
    TITLE = "title"
    RESOURCE = "resource"
    LOCATOR = "locator"
    ARC = "arc"
ARC = 'arc' class-attribute instance-attribute
EXTENDED = 'extended' class-attribute instance-attribute
LOCATOR = 'locator' class-attribute instance-attribute
RESOURCE = 'resource' class-attribute instance-attribute
SIMPLE = 'simple' class-attribute instance-attribute
TITLE = 'title' class-attribute instance-attribute
actuate_type
__NAMESPACE__ = 'http://www.w3.org/1999/xlink' module-attribute
ActuateType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/actuate_type.py
 6
 7
 8
 9
10
class ActuateType(Enum):
    ON_LOAD = "onLoad"
    ON_REQUEST = "onRequest"
    OTHER = "other"
    NONE = "none"
NONE = 'none' class-attribute instance-attribute
ON_LOAD = 'onLoad' class-attribute instance-attribute
ON_REQUEST = 'onRequest' class-attribute instance-attribute
OTHER = 'other' class-attribute instance-attribute
arc
__NAMESPACE__ = 'http://www.w3.org/1999/xlink' module-attribute
Arc dataclass

Bases: ArcType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/arc.py
 8
 9
10
11
12
@dataclass
class Arc(ArcType):
    class Meta:
        name = "arc"
        namespace = "http://www.w3.org/1999/xlink"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/arc.py
10
11
12
class Meta:
    name = "arc"
    namespace = "http://www.w3.org/1999/xlink"
name = 'arc' class-attribute instance-attribute
namespace = 'http://www.w3.org/1999/xlink' class-attribute instance-attribute
__init__(arcrole=None, title=None, show=None, actuate=None, from_value=None, to=None)
arc_type
__NAMESPACE__ = 'http://www.w3.org/1999/xlink' module-attribute
ArcType dataclass

:ivar type_value: :ivar arcrole: :ivar title: :ivar show: :ivar actuate: :ivar from_value: :ivar to: from and to have default behavior when values are missing

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/arc_type.py
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
@dataclass
class ArcType:
    """
    :ivar type_value:
    :ivar arcrole:
    :ivar title:
    :ivar show:
    :ivar actuate:
    :ivar from_value:
    :ivar to: from and to have default behavior when values are missing
    """

    class Meta:
        name = "arcType"

    type_value: TypeType = field(
        init=False,
        default=TypeType.ARC,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    arcrole: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    show: Optional[ShowType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    actuate: Optional[ActuateType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    from_value: Optional[str] = field(
        default=None,
        metadata={
            "name": "from",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    to: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
actuate = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
arcrole = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
from_value = field(default=None, metadata={'name': 'from', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
show = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
to = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.ARC, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/arc_type.py
29
30
class Meta:
    name = "arcType"
name = 'arcType' class-attribute instance-attribute
__init__(arcrole=None, title=None, show=None, actuate=None, from_value=None, to=None)
extended
__NAMESPACE__ = 'http://www.w3.org/1999/xlink' module-attribute
Extended dataclass

Intended for use as the type of user-declared elements to make them extended links.

Note that the elements referenced in the content model are all abstract. The intention is that by simply declaring elements with these as their substitutionGroup, all the right things will happen.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/extended.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
@dataclass
class Extended:
    """Intended for use as the type of user-declared elements to make them extended
    links.

    Note that the elements referenced in the content model are all
    abstract. The intention is that by simply declaring elements with
    these as their substitutionGroup, all the right things will happen.
    """

    class Meta:
        name = "extended"

    type_value: TypeType = field(
        init=False,
        default=TypeType.EXTENDED,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.EXTENDED, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/extended.py
21
22
class Meta:
    name = "extended"
name = 'extended' class-attribute instance-attribute
__init__(role=None, title=None)
locator
__NAMESPACE__ = 'http://www.w3.org/1999/xlink' module-attribute
Locator dataclass

Bases: LocatorType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/locator.py
10
11
12
13
14
@dataclass
class Locator(LocatorType):
    class Meta:
        name = "locator"
        namespace = "http://www.w3.org/1999/xlink"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/locator.py
12
13
14
class Meta:
    name = "locator"
    namespace = "http://www.w3.org/1999/xlink"
name = 'locator' class-attribute instance-attribute
namespace = 'http://www.w3.org/1999/xlink' class-attribute instance-attribute
__init__(href=None, role=None, title=None, label=None)
locator_type
__NAMESPACE__ = 'http://www.w3.org/1999/xlink' module-attribute
LocatorType dataclass

:ivar type_value: :ivar href: :ivar role: :ivar title: :ivar label: label is not required, but locators have no particular XLink function if they are not labeled.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/locator_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
@dataclass
class LocatorType:
    """
    :ivar type_value:
    :ivar href:
    :ivar role:
    :ivar title:
    :ivar label: label is not required, but locators have no particular
        XLink function if they are not labeled.
    """

    class Meta:
        name = "locatorType"

    type_value: TypeType = field(
        init=False,
        default=TypeType.LOCATOR,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    href: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    label: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
href = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
label = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.LOCATOR, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/locator_type.py
22
23
class Meta:
    name = "locatorType"
name = 'locatorType' class-attribute instance-attribute
__init__(href=None, role=None, title=None, label=None)
resource
__NAMESPACE__ = 'http://www.w3.org/1999/xlink' module-attribute
Resource dataclass

Bases: ResourceType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/resource.py
10
11
12
13
14
@dataclass
class Resource(ResourceType):
    class Meta:
        name = "resource"
        namespace = "http://www.w3.org/1999/xlink"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/resource.py
12
13
14
class Meta:
    name = "resource"
    namespace = "http://www.w3.org/1999/xlink"
name = 'resource' class-attribute instance-attribute
namespace = 'http://www.w3.org/1999/xlink' class-attribute instance-attribute
__init__(role=None, title=None, label=None, content=list())
resource_type
__NAMESPACE__ = 'http://www.w3.org/1999/xlink' module-attribute
ResourceType dataclass
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/resource_type.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
@dataclass
class ResourceType:
    class Meta:
        name = "resourceType"

    type_value: TypeType = field(
        init=False,
        default=TypeType.RESOURCE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    label: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    content: list[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
            "mixed": True,
        },
    )
content = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##any', 'mixed': True}) class-attribute instance-attribute
label = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.RESOURCE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/resource_type.py
13
14
class Meta:
    name = "resourceType"
name = 'resourceType' class-attribute instance-attribute
__init__(role=None, title=None, label=None, content=list())
show_type
__NAMESPACE__ = 'http://www.w3.org/1999/xlink' module-attribute
ShowType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/show_type.py
 6
 7
 8
 9
10
11
class ShowType(Enum):
    NEW = "new"
    REPLACE = "replace"
    EMBED = "embed"
    OTHER = "other"
    NONE = "none"
EMBED = 'embed' class-attribute instance-attribute
NEW = 'new' class-attribute instance-attribute
NONE = 'none' class-attribute instance-attribute
OTHER = 'other' class-attribute instance-attribute
REPLACE = 'replace' class-attribute instance-attribute
simple
__NAMESPACE__ = 'http://www.w3.org/1999/xlink' module-attribute
Simple dataclass

Intended for use as the type of user-declared elements to make them simple links.

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/simple.py
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
@dataclass
class Simple:
    """
    Intended for use as the type of user-declared elements to make them simple
    links.
    """

    class Meta:
        name = "simple"

    type_value: TypeType = field(
        init=False,
        default=TypeType.SIMPLE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    href: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    arcrole: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    show: Optional[ShowType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    actuate: Optional[ActuateType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    content: list[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
            "mixed": True,
        },
    )
actuate = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
arcrole = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
content = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##any', 'mixed': True}) class-attribute instance-attribute
href = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
show = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.SIMPLE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/simple.py
24
25
class Meta:
    name = "simple"
name = 'simple' class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None, content=list())
title
__NAMESPACE__ = 'http://www.w3.org/1999/xlink' module-attribute
Title dataclass

Bases: TitleEltType

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/title.py
10
11
12
13
14
@dataclass
class Title(TitleEltType):
    class Meta:
        name = "title"
        namespace = "http://www.w3.org/1999/xlink"
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/title.py
12
13
14
class Meta:
    name = "title"
    namespace = "http://www.w3.org/1999/xlink"
name = 'title' class-attribute instance-attribute
namespace = 'http://www.w3.org/1999/xlink' class-attribute instance-attribute
__init__(lang=None, content=list())
title_elt_type
__NAMESPACE__ = 'http://www.w3.org/1999/xlink' module-attribute
TitleEltType dataclass

:ivar type_value: :ivar lang: xml:lang is not required, but provides much of the motivation for title elements in addition to attributes, and so is provided here for convenience. :ivar content:

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/title_elt_type.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
@dataclass
class TitleEltType:
    """
    :ivar type_value:
    :ivar lang: xml:lang is not required, but provides much of the
        motivation for title elements in addition to attributes, and so
        is provided here for convenience.
    :ivar content:
    """

    class Meta:
        name = "titleEltType"

    type_value: TypeType = field(
        init=False,
        default=TypeType.TITLE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    lang: Optional[Union[str, LangValue]] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/XML/1998/namespace",
        },
    )
    content: list[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
            "mixed": True,
        },
    )
content = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##any', 'mixed': True}) class-attribute instance-attribute
lang = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/XML/1998/namespace'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.TITLE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/title_elt_type.py
24
25
class Meta:
    name = "titleEltType"
name = 'titleEltType' class-attribute instance-attribute
__init__(lang=None, content=list())
type_type
__NAMESPACE__ = 'http://www.w3.org/1999/xlink' module-attribute
TypeType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/pkg_1999/xlink/type_type.py
 6
 7
 8
 9
10
11
12
class TypeType(Enum):
    SIMPLE = "simple"
    EXTENDED = "extended"
    TITLE = "title"
    RESOURCE = "resource"
    LOCATOR = "locator"
    ARC = "arc"
ARC = 'arc' class-attribute instance-attribute
EXTENDED = 'extended' class-attribute instance-attribute
LOCATOR = 'locator' class-attribute instance-attribute
RESOURCE = 'resource' class-attribute instance-attribute
SIMPLE = 'simple' class-attribute instance-attribute
TITLE = 'title' class-attribute instance-attribute
xml
pkg_1998
namespace
__all__ = ['LangValue'] module-attribute
LangValue

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/xml/pkg_1998/namespace/lang_value.py
6
7
class LangValue(Enum):
    VALUE = ""
VALUE = '' class-attribute instance-attribute
lang_value
__NAMESPACE__ = 'http://www.w3.org/XML/1998/namespace' module-attribute
LangValue

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wfs_2_0_0/org/w3/xml/pkg_1998/namespace/lang_value.py
6
7
class LangValue(Enum):
    VALUE = ""
VALUE = '' class-attribute instance-attribute

wms_1_3_0

capabilities
__all__ = ['Abstract', 'AccessConstraints', 'Address', 'AddressType', 'Attribution', 'AuthorityUrl', 'BoundingBox', 'Crs', 'Capability', 'City', 'ContactAddress', 'ContactElectronicMailAddress', 'ContactFacsimileTelephone', 'ContactInformation', 'ContactOrganization', 'ContactPerson', 'ContactPersonPrimary', 'ContactPosition', 'ContactVoiceTelephone', 'Country', 'Dcptype', 'DataUrl', 'Dimension', 'ExGeographicBoundingBox', 'Exception', 'FeatureListUrl', 'Fees', 'Format', 'Get', 'GetCapabilities', 'GetFeatureInfo', 'GetMap', 'Http', 'Identifier', 'Keyword', 'KeywordList', 'Layer', 'LayerLimit', 'LegendUrl', 'LogoUrl', 'MaxHeight', 'MaxScaleDenominator', 'MaxWidth', 'MetadataUrl', 'MinScaleDenominator', 'Name', 'OnlineResource', 'OperationType', 'Post', 'PostCode', 'Request', 'Service', 'ServiceName', 'StateOrProvince', 'Style', 'StyleSheetUrl', 'StyleUrl', 'Title', 'WmsCapabilities', 'ExtendedCapabilities', 'ExtendedOperation', 'ActuateType', 'Arc', 'ArcType', 'Extended', 'Locator', 'LocatorType', 'Resource', 'ResourceType', 'ShowType', 'Simple', 'XlinkTitle', 'TitleEltType', 'TypeType', 'LangValue'] module-attribute
Abstract dataclass

The abstract is a longer narrative description of an object.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
@dataclass
class Abstract:
    """
    The abstract is a longer narrative description of an object.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
20
21
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
AccessConstraints dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
31
32
33
34
35
36
37
38
39
40
41
@dataclass
class AccessConstraints:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
33
34
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
ActuateType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
10
11
12
13
14
class ActuateType(Enum):
    ON_LOAD = "onLoad"
    ON_REQUEST = "onRequest"
    OTHER = "other"
    NONE = "none"
NONE = 'none' class-attribute instance-attribute
ON_LOAD = 'onLoad' class-attribute instance-attribute
ON_REQUEST = 'onRequest' class-attribute instance-attribute
OTHER = 'other' class-attribute instance-attribute
Address dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
44
45
46
47
48
49
50
51
52
53
54
@dataclass
class Address:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
46
47
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
AddressType dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
57
58
59
60
61
62
63
64
65
66
67
@dataclass
class AddressType:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
59
60
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
Arc dataclass

Bases: ArcType

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
361
362
363
364
365
@dataclass
class Arc(ArcType):
    class Meta:
        name = "arc"
        namespace = "http://www.w3.org/1999/xlink"
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
363
364
365
class Meta:
    name = "arc"
    namespace = "http://www.w3.org/1999/xlink"
name = 'arc' class-attribute instance-attribute
namespace = 'http://www.w3.org/1999/xlink' class-attribute instance-attribute
__init__(arcrole=None, title=None, show=None, actuate=None, from_value=None, to=None)
ArcType dataclass

:ivar type_value: :ivar arcrole: :ivar title: :ivar show: :ivar actuate: :ivar from_value: :ivar to: from and to have default behavior when values are missing

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
@dataclass
class ArcType:
    """
    :ivar type_value:
    :ivar arcrole:
    :ivar title:
    :ivar show:
    :ivar actuate:
    :ivar from_value:
    :ivar to: from and to have default behavior when values are missing
    """

    class Meta:
        name = "arcType"

    type_value: TypeType = field(
        init=False,
        default=TypeType.ARC,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    arcrole: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    show: Optional[ShowType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    actuate: Optional[ActuateType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    from_value: Optional[str] = field(
        default=None,
        metadata={
            "name": "from",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    to: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
actuate = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
arcrole = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
from_value = field(default=None, metadata={'name': 'from', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
show = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
to = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.ARC, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
46
47
class Meta:
    name = "arcType"
name = 'arcType' class-attribute instance-attribute
__init__(arcrole=None, title=None, show=None, actuate=None, from_value=None, to=None)
Attribution dataclass

Attribution indicates the provider of a Layer or collection of Layers.

The provider's URL, descriptive title string, and/or logo image URL may be supplied. Client applications may choose to display one or more of these items. A format element indicates the MIME type of the logo image located at LogoURL. The logo image's width and height assist client applications in laying out space to display the logo.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
@dataclass
class Attribution:
    """Attribution indicates the provider of a Layer or collection of Layers.

    The provider's URL, descriptive title string, and/or logo image URL
    may be supplied.  Client applications may choose to display one or
    more of these items.  A format element indicates the MIME type of
    the logo image located at LogoURL.  The logo image's width and
    height assist client applications in laying out space to display the
    logo.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    title: Optional[Title] = field(
        default=None,
        metadata={
            "name": "Title",
            "type": "Element",
        },
    )
    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
        },
    )
    logo_url: Optional[LogoUrl] = field(
        default=None,
        metadata={
            "name": "LogoURL",
            "type": "Element",
        },
    )
logo_url = field(default=None, metadata={'name': 'LogoURL', 'type': 'Element'}) class-attribute instance-attribute
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element'}) class-attribute instance-attribute
title = field(default=None, metadata={'name': 'Title', 'type': 'Element'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1149
1150
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(title=None, online_resource=None, logo_url=None)
AuthorityUrl dataclass

A Map Server may use zero or more Identifier elements to list ID numbers or labels defined by a particular Authority.

For example, the Global Change Master Directory (gcmd.gsfc.nasa.gov) defines a DIF_ID label for every dataset. The authority name and explanatory URL are defined in a separate AuthorityURL element, which may be defined once and inherited by subsidiary layers. Identifiers themselves are not inherited.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
@dataclass
class AuthorityUrl:
    """A Map Server may use zero or more Identifier elements to list ID numbers or
    labels defined by a particular Authority.

    For example, the Global Change Master Directory (gcmd.gsfc.nasa.gov)
    defines a DIF_ID label for every dataset.  The authority name and
    explanatory URL are defined in a separate AuthorityURL element,
    which may be defined once and inherited by subsidiary layers.
    Identifiers themselves are not inherited.
    """

    class Meta:
        name = "AuthorityURL"
        namespace = "http://www.opengis.net/wms"

    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "required": True,
        },
    )
    name: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
name = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
785
786
787
class Meta:
    name = "AuthorityURL"
    namespace = "http://www.opengis.net/wms"
name = 'AuthorityURL' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(online_resource=None, name=None)
BoundingBox dataclass

The BoundingBox attributes indicate the limits of the bounding box in units of the specified coordinate reference system.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
@dataclass
class BoundingBox:
    """
    The BoundingBox attributes indicate the limits of the bounding box in units of
    the specified coordinate reference system.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    crs: Optional[str] = field(
        default=None,
        metadata={
            "name": "CRS",
            "type": "Attribute",
            "required": True,
        },
    )
    minx: Optional[float] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    miny: Optional[float] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    maxx: Optional[float] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    maxy: Optional[float] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    resx: Optional[float] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
    resy: Optional[float] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
crs = field(default=None, metadata={'name': 'CRS', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
maxx = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
maxy = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
minx = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
miny = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
resx = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
resy = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
77
78
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(crs=None, minx=None, miny=None, maxx=None, maxy=None, resx=None, resy=None)
Capability dataclass

A Capability lists available request types, how exceptions may be reported, and whether any extended capabilities are defined.

It also includes an optional list of map layers available from this server.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
@dataclass
class Capability:
    """A Capability lists available request types, how exceptions may be reported,
    and whether any extended capabilities are defined.

    It also includes an optional list of map layers available from this
    server.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    request: Optional[Request] = field(
        default=None,
        metadata={
            "name": "Request",
            "type": "Element",
            "required": True,
        },
    )
    exception: Optional[Exception] = field(
        default=None,
        metadata={
            "name": "Exception",
            "type": "Element",
            "required": True,
        },
    )
    layer: Optional[Layer] = field(
        default=None,
        metadata={
            "name": "Layer",
            "type": "Element",
        },
    )
exception = field(default=None, metadata={'name': 'Exception', 'type': 'Element', 'required': True}) class-attribute instance-attribute
layer = field(default=None, metadata={'name': 'Layer', 'type': 'Element'}) class-attribute instance-attribute
request = field(default=None, metadata={'name': 'Request', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1644
1645
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(request=None, exception=None, layer=None)
City dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
148
149
150
151
152
153
154
155
156
157
158
@dataclass
class City:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
150
151
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
ContactAddress dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
@dataclass
class ContactAddress:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    address_type: Optional[AddressType] = field(
        default=None,
        metadata={
            "name": "AddressType",
            "type": "Element",
            "required": True,
        },
    )
    address: Optional[Address] = field(
        default=None,
        metadata={
            "name": "Address",
            "type": "Element",
            "required": True,
        },
    )
    city: Optional[City] = field(
        default=None,
        metadata={
            "name": "City",
            "type": "Element",
            "required": True,
        },
    )
    state_or_province: Optional[StateOrProvince] = field(
        default=None,
        metadata={
            "name": "StateOrProvince",
            "type": "Element",
            "required": True,
        },
    )
    post_code: Optional[PostCode] = field(
        default=None,
        metadata={
            "name": "PostCode",
            "type": "Element",
            "required": True,
        },
    )
    country: Optional[Country] = field(
        default=None,
        metadata={
            "name": "Country",
            "type": "Element",
            "required": True,
        },
    )
address = field(default=None, metadata={'name': 'Address', 'type': 'Element', 'required': True}) class-attribute instance-attribute
address_type = field(default=None, metadata={'name': 'AddressType', 'type': 'Element', 'required': True}) class-attribute instance-attribute
city = field(default=None, metadata={'name': 'City', 'type': 'Element', 'required': True}) class-attribute instance-attribute
country = field(default=None, metadata={'name': 'Country', 'type': 'Element', 'required': True}) class-attribute instance-attribute
post_code = field(default=None, metadata={'name': 'PostCode', 'type': 'Element', 'required': True}) class-attribute instance-attribute
state_or_province = field(default=None, metadata={'name': 'StateOrProvince', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
594
595
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(address_type=None, address=None, city=None, state_or_province=None, post_code=None, country=None)
ContactElectronicMailAddress dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
161
162
163
164
165
166
167
168
169
170
171
@dataclass
class ContactElectronicMailAddress:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
163
164
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
ContactFacsimileTelephone dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
174
175
176
177
178
179
180
181
182
183
184
@dataclass
class ContactFacsimileTelephone:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
176
177
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
ContactInformation dataclass

Information about a contact person for the service.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
@dataclass
class ContactInformation:
    """
    Information about a contact person for the service.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    contact_person_primary: Optional[ContactPersonPrimary] = field(
        default=None,
        metadata={
            "name": "ContactPersonPrimary",
            "type": "Element",
        },
    )
    contact_position: Optional[ContactPosition] = field(
        default=None,
        metadata={
            "name": "ContactPosition",
            "type": "Element",
        },
    )
    contact_address: Optional[ContactAddress] = field(
        default=None,
        metadata={
            "name": "ContactAddress",
            "type": "Element",
        },
    )
    contact_voice_telephone: Optional[ContactVoiceTelephone] = field(
        default=None,
        metadata={
            "name": "ContactVoiceTelephone",
            "type": "Element",
        },
    )
    contact_facsimile_telephone: Optional[ContactFacsimileTelephone] = field(
        default=None,
        metadata={
            "name": "ContactFacsimileTelephone",
            "type": "Element",
        },
    )
    contact_electronic_mail_address: Optional[ContactElectronicMailAddress] = field(
        default=None,
        metadata={
            "name": "ContactElectronicMailAddress",
            "type": "Element",
        },
    )
contact_address = field(default=None, metadata={'name': 'ContactAddress', 'type': 'Element'}) class-attribute instance-attribute
contact_electronic_mail_address = field(default=None, metadata={'name': 'ContactElectronicMailAddress', 'type': 'Element'}) class-attribute instance-attribute
contact_facsimile_telephone = field(default=None, metadata={'name': 'ContactFacsimileTelephone', 'type': 'Element'}) class-attribute instance-attribute
contact_person_primary = field(default=None, metadata={'name': 'ContactPersonPrimary', 'type': 'Element'}) class-attribute instance-attribute
contact_position = field(default=None, metadata={'name': 'ContactPosition', 'type': 'Element'}) class-attribute instance-attribute
contact_voice_telephone = field(default=None, metadata={'name': 'ContactVoiceTelephone', 'type': 'Element'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
812
813
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(contact_person_primary=None, contact_position=None, contact_address=None, contact_voice_telephone=None, contact_facsimile_telephone=None, contact_electronic_mail_address=None)
ContactOrganization dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
187
188
189
190
191
192
193
194
195
196
197
@dataclass
class ContactOrganization:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
189
190
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
ContactPerson dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
200
201
202
203
204
205
206
207
208
209
210
@dataclass
class ContactPerson:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
202
203
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
ContactPersonPrimary dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
@dataclass
class ContactPersonPrimary:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    contact_person: Optional[ContactPerson] = field(
        default=None,
        metadata={
            "name": "ContactPerson",
            "type": "Element",
            "required": True,
        },
    )
    contact_organization: Optional[ContactOrganization] = field(
        default=None,
        metadata={
            "name": "ContactOrganization",
            "type": "Element",
            "required": True,
        },
    )
contact_organization = field(default=None, metadata={'name': 'ContactOrganization', 'type': 'Element', 'required': True}) class-attribute instance-attribute
contact_person = field(default=None, metadata={'name': 'ContactPerson', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
649
650
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(contact_person=None, contact_organization=None)
ContactPosition dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
213
214
215
216
217
218
219
220
221
222
223
@dataclass
class ContactPosition:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
215
216
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
ContactVoiceTelephone dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
226
227
228
229
230
231
232
233
234
235
236
@dataclass
class ContactVoiceTelephone:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
228
229
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
Country dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
239
240
241
242
243
244
245
246
247
248
249
@dataclass
class Country:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
241
242
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
Crs dataclass

Identifier for a single Coordinate Reference System (CRS).

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
@dataclass
class Crs:
    """
    Identifier for a single Coordinate Reference System (CRS).
    """

    class Meta:
        name = "CRS"
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
136
137
138
class Meta:
    name = "CRS"
    namespace = "http://www.opengis.net/wms"
name = 'CRS' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
DataUrl dataclass

A Map Server may use DataURL offer a link to the underlying data represented by a particular layer.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
@dataclass
class DataUrl:
    """
    A Map Server may use DataURL offer a link to the underlying data represented by
    a particular layer.
    """

    class Meta:
        name = "DataURL"
        namespace = "http://www.opengis.net/wms"

    format: Optional[Format] = field(
        default=None,
        metadata={
            "name": "Format",
            "type": "Element",
            "required": True,
        },
    )
    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "required": True,
        },
    )
format = field(default=None, metadata={'name': 'Format', 'type': 'Element', 'required': True}) class-attribute instance-attribute
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
866
867
868
class Meta:
    name = "DataURL"
    namespace = "http://www.opengis.net/wms"
name = 'DataURL' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=None, online_resource=None)
Dcptype dataclass

Available Distributed Computing Platforms (DCPs) are listed here.

At present, only HTTP is defined.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
@dataclass
class Dcptype:
    """Available Distributed Computing Platforms (DCPs) are listed here.

    At present, only HTTP is defined.
    """

    class Meta:
        name = "DCPType"
        namespace = "http://www.opengis.net/wms"

    http: Optional[Http] = field(
        default=None,
        metadata={
            "name": "HTTP",
            "type": "Element",
            "required": True,
        },
    )
http = field(default=None, metadata={'name': 'HTTP', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1358
1359
1360
class Meta:
    name = "DCPType"
    namespace = "http://www.opengis.net/wms"
name = 'DCPType' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(http=None)
Dimension dataclass

The Dimension element declares the existence of a dimension and indicates what values along a dimension are valid.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
@dataclass
class Dimension:
    """
    The Dimension element declares the existence of a dimension and indicates what
    values along a dimension are valid.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
    name: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    units: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    unit_symbol: Optional[str] = field(
        default=None,
        metadata={
            "name": "unitSymbol",
            "type": "Attribute",
        },
    )
    default: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
    multiple_values: Optional[bool] = field(
        default=None,
        metadata={
            "name": "multipleValues",
            "type": "Attribute",
        },
    )
    nearest_value: Optional[bool] = field(
        default=None,
        metadata={
            "name": "nearestValue",
            "type": "Attribute",
        },
    )
    current: Optional[bool] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
current = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
default = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
multiple_values = field(default=None, metadata={'name': 'multipleValues', 'type': 'Attribute'}) class-attribute instance-attribute
name = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
nearest_value = field(default=None, metadata={'name': 'nearestValue', 'type': 'Attribute'}) class-attribute instance-attribute
unit_symbol = field(default=None, metadata={'name': 'unitSymbol', 'type': 'Attribute'}) class-attribute instance-attribute
units = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
259
260
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='', name=None, units=None, unit_symbol=None, default=None, multiple_values=None, nearest_value=None, current=None)
ExGeographicBoundingBox dataclass

The EX_GeographicBoundingBox attributes indicate the limits of the enclosing rectangle in longitude and latitude decimal degrees.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
@dataclass
class ExGeographicBoundingBox:
    """
    The EX_GeographicBoundingBox attributes indicate the limits of the enclosing
    rectangle in longitude and latitude decimal degrees.
    """

    class Meta:
        name = "EX_GeographicBoundingBox"
        namespace = "http://www.opengis.net/wms"

    west_bound_longitude: Optional[float] = field(
        default=None,
        metadata={
            "name": "westBoundLongitude",
            "type": "Element",
            "required": True,
            "min_inclusive": -180.0,
            "max_inclusive": 180.0,
        },
    )
    east_bound_longitude: Optional[float] = field(
        default=None,
        metadata={
            "name": "eastBoundLongitude",
            "type": "Element",
            "required": True,
            "min_inclusive": -180.0,
            "max_inclusive": 180.0,
        },
    )
    south_bound_latitude: Optional[float] = field(
        default=None,
        metadata={
            "name": "southBoundLatitude",
            "type": "Element",
            "required": True,
            "min_inclusive": -90.0,
            "max_inclusive": 90.0,
        },
    )
    north_bound_latitude: Optional[float] = field(
        default=None,
        metadata={
            "name": "northBoundLatitude",
            "type": "Element",
            "required": True,
            "min_inclusive": -90.0,
            "max_inclusive": 90.0,
        },
    )
east_bound_longitude = field(default=None, metadata={'name': 'eastBoundLongitude', 'type': 'Element', 'required': True, 'min_inclusive': -180.0, 'max_inclusive': 180.0}) class-attribute instance-attribute
north_bound_latitude = field(default=None, metadata={'name': 'northBoundLatitude', 'type': 'Element', 'required': True, 'min_inclusive': -90.0, 'max_inclusive': 90.0}) class-attribute instance-attribute
south_bound_latitude = field(default=None, metadata={'name': 'southBoundLatitude', 'type': 'Element', 'required': True, 'min_inclusive': -90.0, 'max_inclusive': 90.0}) class-attribute instance-attribute
west_bound_longitude = field(default=None, metadata={'name': 'westBoundLongitude', 'type': 'Element', 'required': True, 'min_inclusive': -180.0, 'max_inclusive': 180.0}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
324
325
326
class Meta:
    name = "EX_GeographicBoundingBox"
    namespace = "http://www.opengis.net/wms"
name = 'EX_GeographicBoundingBox' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(west_bound_longitude=None, east_bound_longitude=None, south_bound_latitude=None, north_bound_latitude=None)
Exception dataclass

An Exception element indicates which error-reporting formats are supported.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
@dataclass
class Exception:
    """
    An Exception element indicates which error-reporting formats are supported.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    format: List[Format] = field(
        default_factory=list,
        metadata={
            "name": "Format",
            "type": "Element",
            "min_occurs": 1,
        },
    )
format = field(default_factory=list, metadata={'name': 'Format', 'type': 'Element', 'min_occurs': 1}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
676
677
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=list())
Extended dataclass

Intended for use as the type of user-declared elements to make them extended links.

Note that the elements referenced in the content model are all abstract. The intention is that by simply declaring elements with these as their substitutionGroup, all the right things will happen.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
@dataclass
class Extended:
    """Intended for use as the type of user-declared elements to make them extended
    links.

    Note that the elements referenced in the content model are all
    abstract. The intention is that by simply declaring elements with
    these as their substitutionGroup, all the right things will happen.
    """

    class Meta:
        name = "extended"

    type_value: TypeType = field(
        init=False,
        default=TypeType.EXTENDED,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.EXTENDED, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
115
116
class Meta:
    name = "extended"
name = 'extended' class-attribute instance-attribute
__init__(role=None, title=None)
ExtendedCapabilities dataclass

Individual service providers may use this element to report extended capabilities.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
580
581
582
583
584
585
586
587
588
589
@dataclass
class ExtendedCapabilities:
    """
    Individual service providers may use this element to report extended
    capabilities.
    """

    class Meta:
        name = "_ExtendedCapabilities"
        namespace = "http://www.opengis.net/wms"
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
587
588
589
class Meta:
    name = "_ExtendedCapabilities"
    namespace = "http://www.opengis.net/wms"
name = '_ExtendedCapabilities' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__()
ExtendedOperation dataclass

Bases: OperationType

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1594
1595
1596
1597
1598
@dataclass
class ExtendedOperation(OperationType):
    class Meta:
        name = "_ExtendedOperation"
        namespace = "http://www.opengis.net/wms"
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1596
1597
1598
class Meta:
    name = "_ExtendedOperation"
    namespace = "http://www.opengis.net/wms"
name = '_ExtendedOperation' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=list(), dcptype=list())
FeatureListUrl dataclass

A Map Server may use FeatureListURL to point to a list of the features represented in a Layer.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
@dataclass
class FeatureListUrl:
    """
    A Map Server may use FeatureListURL to point to a list of the features
    represented in a Layer.
    """

    class Meta:
        name = "FeatureListURL"
        namespace = "http://www.opengis.net/wms"

    format: Optional[Format] = field(
        default=None,
        metadata={
            "name": "Format",
            "type": "Element",
            "required": True,
        },
    )
    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "required": True,
        },
    )
format = field(default=None, metadata={'name': 'Format', 'type': 'Element', 'required': True}) class-attribute instance-attribute
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
895
896
897
class Meta:
    name = "FeatureListURL"
    namespace = "http://www.opengis.net/wms"
name = 'FeatureListURL' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=None, online_resource=None)
Fees dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
370
371
372
373
374
375
376
377
378
379
380
@dataclass
class Fees:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
372
373
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
Format dataclass

A container for listing an available format's MIME type.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
@dataclass
class Format:
    """
    A container for listing an available format's MIME type.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
389
390
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
Get dataclass

The URL prefix for the HTTP "Get" request method.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
@dataclass
class Get:
    """
    The URL prefix for the HTTP "Get" request method.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "required": True,
        },
    )
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
923
924
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(online_resource=None)
GetCapabilities dataclass

Bases: OperationType

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1576
1577
1578
1579
@dataclass
class GetCapabilities(OperationType):
    class Meta:
        namespace = "http://www.opengis.net/wms"
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1578
1579
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=list(), dcptype=list())
GetFeatureInfo dataclass

Bases: OperationType

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1582
1583
1584
1585
@dataclass
class GetFeatureInfo(OperationType):
    class Meta:
        namespace = "http://www.opengis.net/wms"
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1584
1585
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=list(), dcptype=list())
GetMap dataclass

Bases: OperationType

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1588
1589
1590
1591
@dataclass
class GetMap(OperationType):
    class Meta:
        namespace = "http://www.opengis.net/wms"
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1590
1591
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=list(), dcptype=list())
Http dataclass

Available HTTP request methods.

At least "Get" shall be supported.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
@dataclass
class Http:
    """Available HTTP request methods.

    At least "Get" shall be supported.
    """

    class Meta:
        name = "HTTP"
        namespace = "http://www.opengis.net/wms"

    get: Optional[Get] = field(
        default=None,
        metadata={
            "name": "Get",
            "type": "Element",
            "required": True,
        },
    )
    post: Optional[Post] = field(
        default=None,
        metadata={
            "name": "Post",
            "type": "Element",
        },
    )
get = field(default=None, metadata={'name': 'Get', 'type': 'Element', 'required': True}) class-attribute instance-attribute
post = field(default=None, metadata={'name': 'Post', 'type': 'Element'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1182
1183
1184
class Meta:
    name = "HTTP"
    namespace = "http://www.opengis.net/wms"
name = 'HTTP' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(get=None, post=None)
Identifier dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
@dataclass
class Identifier:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
    authority: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
authority = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
402
403
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='', authority=None)
Keyword dataclass

A single keyword or phrase.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
@dataclass
class Keyword:
    """
    A single keyword or phrase.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
    vocabulary: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
vocabulary = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
426
427
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='', vocabulary=None)
KeywordList dataclass

List of keywords or keyword phrases to help catalog searching.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
@dataclass
class KeywordList:
    """
    List of keywords or keyword phrases to help catalog searching.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    keyword: List[Keyword] = field(
        default_factory=list,
        metadata={
            "name": "Keyword",
            "type": "Element",
        },
    )
keyword = field(default_factory=list, metadata={'name': 'Keyword', 'type': 'Element'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
695
696
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(keyword=list())
LangValue

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xml.py
6
7
class LangValue(Enum):
    VALUE = ""
VALUE = '' class-attribute instance-attribute
Layer dataclass

Nested list of zero or more map Layers offered by this server.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
@dataclass
class Layer:
    """
    Nested list of zero or more map Layers offered by this server.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    name: Optional[Name] = field(
        default=None,
        metadata={
            "name": "Name",
            "type": "Element",
        },
    )
    title: Optional[Title] = field(
        default=None,
        metadata={
            "name": "Title",
            "type": "Element",
            "required": True,
        },
    )
    abstract: Optional[Abstract] = field(
        default=None,
        metadata={
            "name": "Abstract",
            "type": "Element",
        },
    )
    keyword_list: Optional[KeywordList] = field(
        default=None,
        metadata={
            "name": "KeywordList",
            "type": "Element",
        },
    )
    crs: List[Crs] = field(
        default_factory=list,
        metadata={
            "name": "CRS",
            "type": "Element",
        },
    )
    ex_geographic_bounding_box: Optional[ExGeographicBoundingBox] = field(
        default=None,
        metadata={
            "name": "EX_GeographicBoundingBox",
            "type": "Element",
        },
    )
    bounding_box: List[BoundingBox] = field(
        default_factory=list,
        metadata={
            "name": "BoundingBox",
            "type": "Element",
        },
    )
    dimension: List[Dimension] = field(
        default_factory=list,
        metadata={
            "name": "Dimension",
            "type": "Element",
        },
    )
    attribution: Optional[Attribution] = field(
        default=None,
        metadata={
            "name": "Attribution",
            "type": "Element",
        },
    )
    authority_url: List[AuthorityUrl] = field(
        default_factory=list,
        metadata={
            "name": "AuthorityURL",
            "type": "Element",
        },
    )
    identifier: List[Identifier] = field(
        default_factory=list,
        metadata={
            "name": "Identifier",
            "type": "Element",
        },
    )
    metadata_url: List[MetadataUrl] = field(
        default_factory=list,
        metadata={
            "name": "MetadataURL",
            "type": "Element",
        },
    )
    data_url: List[DataUrl] = field(
        default_factory=list,
        metadata={
            "name": "DataURL",
            "type": "Element",
        },
    )
    feature_list_url: List[FeatureListUrl] = field(
        default_factory=list,
        metadata={
            "name": "FeatureListURL",
            "type": "Element",
        },
    )
    style: List[Style] = field(
        default_factory=list,
        metadata={
            "name": "Style",
            "type": "Element",
        },
    )
    min_scale_denominator: Optional[MinScaleDenominator] = field(
        default=None,
        metadata={
            "name": "MinScaleDenominator",
            "type": "Element",
        },
    )
    max_scale_denominator: Optional[MaxScaleDenominator] = field(
        default=None,
        metadata={
            "name": "MaxScaleDenominator",
            "type": "Element",
        },
    )
    layer: List["Layer"] = field(
        default_factory=list,
        metadata={
            "name": "Layer",
            "type": "Element",
        },
    )
    queryable: bool = field(
        default=False,
        metadata={
            "type": "Attribute",
        },
    )
    cascaded: Optional[int] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
    opaque: bool = field(
        default=False,
        metadata={
            "type": "Attribute",
        },
    )
    no_subsets: bool = field(
        default=False,
        metadata={
            "name": "noSubsets",
            "type": "Attribute",
        },
    )
    fixed_width: Optional[int] = field(
        default=None,
        metadata={
            "name": "fixedWidth",
            "type": "Attribute",
        },
    )
    fixed_height: Optional[int] = field(
        default=None,
        metadata={
            "name": "fixedHeight",
            "type": "Attribute",
        },
    )
abstract = field(default=None, metadata={'name': 'Abstract', 'type': 'Element'}) class-attribute instance-attribute
attribution = field(default=None, metadata={'name': 'Attribution', 'type': 'Element'}) class-attribute instance-attribute
authority_url = field(default_factory=list, metadata={'name': 'AuthorityURL', 'type': 'Element'}) class-attribute instance-attribute
bounding_box = field(default_factory=list, metadata={'name': 'BoundingBox', 'type': 'Element'}) class-attribute instance-attribute
cascaded = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
crs = field(default_factory=list, metadata={'name': 'CRS', 'type': 'Element'}) class-attribute instance-attribute
data_url = field(default_factory=list, metadata={'name': 'DataURL', 'type': 'Element'}) class-attribute instance-attribute
dimension = field(default_factory=list, metadata={'name': 'Dimension', 'type': 'Element'}) class-attribute instance-attribute
ex_geographic_bounding_box = field(default=None, metadata={'name': 'EX_GeographicBoundingBox', 'type': 'Element'}) class-attribute instance-attribute
feature_list_url = field(default_factory=list, metadata={'name': 'FeatureListURL', 'type': 'Element'}) class-attribute instance-attribute
fixed_height = field(default=None, metadata={'name': 'fixedHeight', 'type': 'Attribute'}) class-attribute instance-attribute
fixed_width = field(default=None, metadata={'name': 'fixedWidth', 'type': 'Attribute'}) class-attribute instance-attribute
identifier = field(default_factory=list, metadata={'name': 'Identifier', 'type': 'Element'}) class-attribute instance-attribute
keyword_list = field(default=None, metadata={'name': 'KeywordList', 'type': 'Element'}) class-attribute instance-attribute
layer = field(default_factory=list, metadata={'name': 'Layer', 'type': 'Element'}) class-attribute instance-attribute
max_scale_denominator = field(default=None, metadata={'name': 'MaxScaleDenominator', 'type': 'Element'}) class-attribute instance-attribute
metadata_url = field(default_factory=list, metadata={'name': 'MetadataURL', 'type': 'Element'}) class-attribute instance-attribute
min_scale_denominator = field(default=None, metadata={'name': 'MinScaleDenominator', 'type': 'Element'}) class-attribute instance-attribute
name = field(default=None, metadata={'name': 'Name', 'type': 'Element'}) class-attribute instance-attribute
no_subsets = field(default=False, metadata={'name': 'noSubsets', 'type': 'Attribute'}) class-attribute instance-attribute
opaque = field(default=False, metadata={'type': 'Attribute'}) class-attribute instance-attribute
queryable = field(default=False, metadata={'type': 'Attribute'}) class-attribute instance-attribute
style = field(default_factory=list, metadata={'name': 'Style', 'type': 'Element'}) class-attribute instance-attribute
title = field(default=None, metadata={'name': 'Title', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1378
1379
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(name=None, title=None, abstract=None, keyword_list=None, crs=list(), ex_geographic_bounding_box=None, bounding_box=list(), dimension=list(), attribution=None, authority_url=list(), identifier=list(), metadata_url=list(), data_url=list(), feature_list_url=list(), style=list(), min_scale_denominator=None, max_scale_denominator=None, layer=list(), queryable=False, cascaded=None, opaque=False, no_subsets=False, fixed_width=None, fixed_height=None)
LayerLimit dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
443
444
445
446
447
448
449
450
451
452
453
@dataclass
class LayerLimit:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: Optional[int] = field(
        default=None,
        metadata={
            "required": True,
        },
    )
value = field(default=None, metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
445
446
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value=None)
LegendUrl dataclass

A Map Server may use zero or more LegendURL elements to provide an image(s) of a legend relevant to each Style of a Layer.

The Format element indicates the MIME type of the legend. Width and height attributes may be provided to assist client applications in laying out space to display the legend.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
@dataclass
class LegendUrl:
    """A Map Server may use zero or more LegendURL elements to provide an image(s)
    of a legend relevant to each Style of a Layer.

    The Format element indicates the MIME type of the legend. Width and
    height attributes may be provided to assist client applications in
    laying out space to display the legend.
    """

    class Meta:
        name = "LegendURL"
        namespace = "http://www.opengis.net/wms"

    format: Optional[Format] = field(
        default=None,
        metadata={
            "name": "Format",
            "type": "Element",
            "required": True,
        },
    )
    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "required": True,
        },
    )
    width: Optional[int] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
    height: Optional[int] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
format = field(default=None, metadata={'name': 'Format', 'type': 'Element', 'required': True}) class-attribute instance-attribute
height = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'required': True}) class-attribute instance-attribute
width = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
946
947
948
class Meta:
    name = "LegendURL"
    namespace = "http://www.opengis.net/wms"
name = 'LegendURL' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=None, online_resource=None, width=None, height=None)
Locator dataclass

Bases: LocatorType

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
368
369
370
371
372
@dataclass
class Locator(LocatorType):
    class Meta:
        name = "locator"
        namespace = "http://www.w3.org/1999/xlink"
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
370
371
372
class Meta:
    name = "locator"
    namespace = "http://www.w3.org/1999/xlink"
name = 'locator' class-attribute instance-attribute
namespace = 'http://www.w3.org/1999/xlink' class-attribute instance-attribute
__init__(href=None, role=None, title=None, label=None)
LocatorType dataclass

:ivar type_value: :ivar href: :ivar role: :ivar title: :ivar label: label is not required, but locators have no particular XLink function if they are not labeled.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
@dataclass
class LocatorType:
    """
    :ivar type_value:
    :ivar href:
    :ivar role:
    :ivar title:
    :ivar label: label is not required, but locators have no particular
        XLink function if they are not labeled.
    """

    class Meta:
        name = "locatorType"

    type_value: TypeType = field(
        init=False,
        default=TypeType.LOCATOR,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    href: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    label: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
href = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
label = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.LOCATOR, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
156
157
class Meta:
    name = "locatorType"
name = 'locatorType' class-attribute instance-attribute
__init__(href=None, role=None, title=None, label=None)
LogoUrl dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
 980
 981
 982
 983
 984
 985
 986
 987
 988
 989
 990
 991
 992
 993
 994
 995
 996
 997
 998
 999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
@dataclass
class LogoUrl:
    class Meta:
        name = "LogoURL"
        namespace = "http://www.opengis.net/wms"

    format: Optional[Format] = field(
        default=None,
        metadata={
            "name": "Format",
            "type": "Element",
            "required": True,
        },
    )
    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "required": True,
        },
    )
    width: Optional[int] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
    height: Optional[int] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
format = field(default=None, metadata={'name': 'Format', 'type': 'Element', 'required': True}) class-attribute instance-attribute
height = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'required': True}) class-attribute instance-attribute
width = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
982
983
984
class Meta:
    name = "LogoURL"
    namespace = "http://www.opengis.net/wms"
name = 'LogoURL' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=None, online_resource=None, width=None, height=None)
MaxHeight dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
456
457
458
459
460
461
462
463
464
465
466
@dataclass
class MaxHeight:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: Optional[int] = field(
        default=None,
        metadata={
            "required": True,
        },
    )
value = field(default=None, metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
458
459
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value=None)
MaxScaleDenominator dataclass

Maximum scale denominator for which it is appropriate to display this layer.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
@dataclass
class MaxScaleDenominator:
    """
    Maximum scale denominator for which it is appropriate to display this layer.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: Optional[float] = field(
        default=None,
        metadata={
            "required": True,
        },
    )
value = field(default=None, metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
475
476
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value=None)
MaxWidth dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
486
487
488
489
490
491
492
493
494
495
496
@dataclass
class MaxWidth:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: Optional[int] = field(
        default=None,
        metadata={
            "required": True,
        },
    )
value = field(default=None, metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
488
489
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value=None)
MetadataUrl dataclass

A Map Server may use zero or more MetadataURL elements to offer detailed, standardized metadata about the data underneath a particular layer.

The type attribute indicates the standard to which the metadata complies. The format element indicates how the metadata is structured.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
@dataclass
class MetadataUrl:
    """A Map Server may use zero or more MetadataURL elements to offer detailed,
    standardized metadata about the data underneath a particular layer.

    The type attribute indicates the standard to which the metadata
    complies.  The format element indicates how the metadata is
    structured.
    """

    class Meta:
        name = "MetadataURL"
        namespace = "http://www.opengis.net/wms"

    format: Optional[Format] = field(
        default=None,
        metadata={
            "name": "Format",
            "type": "Element",
            "required": True,
        },
    )
    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "required": True,
        },
    )
    type_value: Optional[str] = field(
        default=None,
        metadata={
            "name": "type",
            "type": "Attribute",
            "required": True,
        },
    )
format = field(default=None, metadata={'name': 'Format', 'type': 'Element', 'required': True}) class-attribute instance-attribute
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'required': True}) class-attribute instance-attribute
type_value = field(default=None, metadata={'name': 'type', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1026
1027
1028
class Meta:
    name = "MetadataURL"
    namespace = "http://www.opengis.net/wms"
name = 'MetadataURL' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=None, online_resource=None, type_value=None)
MinScaleDenominator dataclass

Minimum scale denominator for which it is appropriate to display this layer.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
@dataclass
class MinScaleDenominator:
    """
    Minimum scale denominator for which it is appropriate to display this layer.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: Optional[float] = field(
        default=None,
        metadata={
            "required": True,
        },
    )
value = field(default=None, metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
505
506
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value=None)
Name dataclass

The Name is typically for machine-to-machine communication.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
@dataclass
class Name:
    """
    The Name is typically for machine-to-machine communication.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
522
523
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
OnlineResource dataclass

An OnlineResource is typically an HTTP URL.

The URL is placed in the xlink:href attribute, and the value "simple" is placed in the xlink:type attribute.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
@dataclass
class OnlineResource:
    """An OnlineResource is typically an HTTP URL.

    The URL is placed in the xlink:href attribute, and the value
    "simple" is placed in the xlink:type attribute.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    type_value: TypeType = field(
        init=False,
        default=TypeType.SIMPLE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    href: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    arcrole: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    show: Optional[ShowType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    actuate: Optional[ActuateType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
actuate = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
arcrole = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
href = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
show = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.SIMPLE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
715
716
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None)
OperationType dataclass

For each operation offered by the server, list the available output formats and the online resource.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
@dataclass
class OperationType:
    """
    For each operation offered by the server, list the available output formats and
    the online resource.
    """

    format: List[Format] = field(
        default_factory=list,
        metadata={
            "name": "Format",
            "type": "Element",
            "namespace": "http://www.opengis.net/wms",
            "min_occurs": 1,
        },
    )
    dcptype: List[Dcptype] = field(
        default_factory=list,
        metadata={
            "name": "DCPType",
            "type": "Element",
            "namespace": "http://www.opengis.net/wms",
            "min_occurs": 1,
        },
    )
dcptype = field(default_factory=list, metadata={'name': 'DCPType', 'type': 'Element', 'namespace': 'http://www.opengis.net/wms', 'min_occurs': 1}) class-attribute instance-attribute
format = field(default_factory=list, metadata={'name': 'Format', 'type': 'Element', 'namespace': 'http://www.opengis.net/wms', 'min_occurs': 1}) class-attribute instance-attribute
__init__(format=list(), dcptype=list())
Post dataclass

The URL prefix for the HTTP "Post" request method.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
@dataclass
class Post:
    """
    The URL prefix for the HTTP "Post" request method.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "required": True,
        },
    )
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1062
1063
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(online_resource=None)
PostCode dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
533
534
535
536
537
538
539
540
541
542
543
@dataclass
class PostCode:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
535
536
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
Request dataclass

Available WMS Operations are listed in a Request element.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
@dataclass
class Request:
    """
    Available WMS Operations are listed in a Request element.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    get_capabilities: Optional[GetCapabilities] = field(
        default=None,
        metadata={
            "name": "GetCapabilities",
            "type": "Element",
            "required": True,
        },
    )
    get_map: Optional[GetMap] = field(
        default=None,
        metadata={
            "name": "GetMap",
            "type": "Element",
            "required": True,
        },
    )
    get_feature_info: Optional[GetFeatureInfo] = field(
        default=None,
        metadata={
            "name": "GetFeatureInfo",
            "type": "Element",
        },
    )
get_capabilities = field(default=None, metadata={'name': 'GetCapabilities', 'type': 'Element', 'required': True}) class-attribute instance-attribute
get_feature_info = field(default=None, metadata={'name': 'GetFeatureInfo', 'type': 'Element'}) class-attribute instance-attribute
get_map = field(default=None, metadata={'name': 'GetMap', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1607
1608
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(get_capabilities=None, get_map=None, get_feature_info=None)
Resource dataclass

Bases: ResourceType

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
375
376
377
378
379
@dataclass
class Resource(ResourceType):
    class Meta:
        name = "resource"
        namespace = "http://www.w3.org/1999/xlink"
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
377
378
379
class Meta:
    name = "resource"
    namespace = "http://www.w3.org/1999/xlink"
name = 'resource' class-attribute instance-attribute
namespace = 'http://www.w3.org/1999/xlink' class-attribute instance-attribute
__init__(role=None, title=None, label=None, content=list())
ResourceType dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
@dataclass
class ResourceType:
    class Meta:
        name = "resourceType"

    type_value: TypeType = field(
        init=False,
        default=TypeType.RESOURCE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    label: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    content: List[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
            "mixed": True,
        },
    )
content = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##any', 'mixed': True}) class-attribute instance-attribute
label = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.RESOURCE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
203
204
class Meta:
    name = "resourceType"
name = 'resourceType' class-attribute instance-attribute
__init__(role=None, title=None, label=None, content=list())
Service dataclass

General service metadata.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
@dataclass
class Service:
    """
    General service metadata.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    name: Optional[ServiceName] = field(
        default=None,
        metadata={
            "name": "Name",
            "type": "Element",
            "required": True,
        },
    )
    title: Optional[Title] = field(
        default=None,
        metadata={
            "name": "Title",
            "type": "Element",
            "required": True,
        },
    )
    abstract: Optional[Abstract] = field(
        default=None,
        metadata={
            "name": "Abstract",
            "type": "Element",
        },
    )
    keyword_list: Optional[KeywordList] = field(
        default=None,
        metadata={
            "name": "KeywordList",
            "type": "Element",
        },
    )
    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "required": True,
        },
    )
    contact_information: Optional[ContactInformation] = field(
        default=None,
        metadata={
            "name": "ContactInformation",
            "type": "Element",
        },
    )
    fees: Optional[Fees] = field(
        default=None,
        metadata={
            "name": "Fees",
            "type": "Element",
        },
    )
    access_constraints: Optional[AccessConstraints] = field(
        default=None,
        metadata={
            "name": "AccessConstraints",
            "type": "Element",
        },
    )
    layer_limit: Optional[LayerLimit] = field(
        default=None,
        metadata={
            "name": "LayerLimit",
            "type": "Element",
        },
    )
    max_width: Optional[MaxWidth] = field(
        default=None,
        metadata={
            "name": "MaxWidth",
            "type": "Element",
        },
    )
    max_height: Optional[MaxHeight] = field(
        default=None,
        metadata={
            "name": "MaxHeight",
            "type": "Element",
        },
    )
abstract = field(default=None, metadata={'name': 'Abstract', 'type': 'Element'}) class-attribute instance-attribute
access_constraints = field(default=None, metadata={'name': 'AccessConstraints', 'type': 'Element'}) class-attribute instance-attribute
contact_information = field(default=None, metadata={'name': 'ContactInformation', 'type': 'Element'}) class-attribute instance-attribute
fees = field(default=None, metadata={'name': 'Fees', 'type': 'Element'}) class-attribute instance-attribute
keyword_list = field(default=None, metadata={'name': 'KeywordList', 'type': 'Element'}) class-attribute instance-attribute
layer_limit = field(default=None, metadata={'name': 'LayerLimit', 'type': 'Element'}) class-attribute instance-attribute
max_height = field(default=None, metadata={'name': 'MaxHeight', 'type': 'Element'}) class-attribute instance-attribute
max_width = field(default=None, metadata={'name': 'MaxWidth', 'type': 'Element'}) class-attribute instance-attribute
name = field(default=None, metadata={'name': 'Name', 'type': 'Element', 'required': True}) class-attribute instance-attribute
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'required': True}) class-attribute instance-attribute
title = field(default=None, metadata={'name': 'Title', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1209
1210
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(name=None, title=None, abstract=None, keyword_list=None, online_resource=None, contact_information=None, fees=None, access_constraints=None, layer_limit=None, max_width=None, max_height=None)
ServiceName

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
546
547
class ServiceName(Enum):
    WMS = "WMS"
WMS = 'WMS' class-attribute instance-attribute
ShowType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
17
18
19
20
21
22
class ShowType(Enum):
    NEW = "new"
    REPLACE = "replace"
    EMBED = "embed"
    OTHER = "other"
    NONE = "none"
EMBED = 'embed' class-attribute instance-attribute
NEW = 'new' class-attribute instance-attribute
NONE = 'none' class-attribute instance-attribute
OTHER = 'other' class-attribute instance-attribute
REPLACE = 'replace' class-attribute instance-attribute
Simple dataclass

Intended for use as the type of user-declared elements to make them simple links.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
@dataclass
class Simple:
    """
    Intended for use as the type of user-declared elements to make them simple
    links.
    """

    class Meta:
        name = "simple"

    type_value: TypeType = field(
        init=False,
        default=TypeType.SIMPLE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    href: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    arcrole: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    show: Optional[ShowType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    actuate: Optional[ActuateType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    content: List[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
            "mixed": True,
        },
    )
actuate = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
arcrole = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
content = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##any', 'mixed': True}) class-attribute instance-attribute
href = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
show = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.SIMPLE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
255
256
class Meta:
    name = "simple"
name = 'simple' class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None, content=list())
StateOrProvince dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
550
551
552
553
554
555
556
557
558
559
560
@dataclass
class StateOrProvince:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
552
553
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
Style dataclass

A Style element lists the name by which a style is requested and a human- readable title for pick lists, optionally (and ideally) provides a human- readable description, and optionally gives a style URL.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
@dataclass
class Style:
    """
    A Style element lists the name by which a style is requested and a human-
    readable title for pick lists, optionally (and ideally) provides a human-
    readable description, and optionally gives a style URL.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    name: Optional[Name] = field(
        default=None,
        metadata={
            "name": "Name",
            "type": "Element",
            "required": True,
        },
    )
    title: Optional[Title] = field(
        default=None,
        metadata={
            "name": "Title",
            "type": "Element",
            "required": True,
        },
    )
    abstract: Optional[Abstract] = field(
        default=None,
        metadata={
            "name": "Abstract",
            "type": "Element",
        },
    )
    legend_url: List[LegendUrl] = field(
        default_factory=list,
        metadata={
            "name": "LegendURL",
            "type": "Element",
        },
    )
    style_sheet_url: Optional[StyleSheetUrl] = field(
        default=None,
        metadata={
            "name": "StyleSheetURL",
            "type": "Element",
        },
    )
    style_url: Optional[StyleUrl] = field(
        default=None,
        metadata={
            "name": "StyleURL",
            "type": "Element",
        },
    )
abstract = field(default=None, metadata={'name': 'Abstract', 'type': 'Element'}) class-attribute instance-attribute
legend_url = field(default_factory=list, metadata={'name': 'LegendURL', 'type': 'Element'}) class-attribute instance-attribute
name = field(default=None, metadata={'name': 'Name', 'type': 'Element', 'required': True}) class-attribute instance-attribute
style_sheet_url = field(default=None, metadata={'name': 'StyleSheetURL', 'type': 'Element'}) class-attribute instance-attribute
style_url = field(default=None, metadata={'name': 'StyleURL', 'type': 'Element'}) class-attribute instance-attribute
title = field(default=None, metadata={'name': 'Title', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1302
1303
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(name=None, title=None, abstract=None, legend_url=list(), style_sheet_url=None, style_url=None)
StyleSheetUrl dataclass

StyleSheeetURL provides symbology information for each Style of a Layer.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
@dataclass
class StyleSheetUrl:
    """
    StyleSheeetURL provides symbology information for each Style of a Layer.
    """

    class Meta:
        name = "StyleSheetURL"
        namespace = "http://www.opengis.net/wms"

    format: Optional[Format] = field(
        default=None,
        metadata={
            "name": "Format",
            "type": "Element",
            "required": True,
        },
    )
    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "required": True,
        },
    )
format = field(default=None, metadata={'name': 'Format', 'type': 'Element', 'required': True}) class-attribute instance-attribute
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1081
1082
1083
class Meta:
    name = "StyleSheetURL"
    namespace = "http://www.opengis.net/wms"
name = 'StyleSheetURL' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=None, online_resource=None)
StyleUrl dataclass

A Map Server may use StyleURL to offer more information about the data or symbology underlying a particular Style.

While the semantics are not well-defined, as long as the results of an HTTP GET request against the StyleURL are properly MIME-typed, Viewer Clients and Cascading Map Servers can make use of this. A possible use could be to allow a Map Server to provide legend information.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
@dataclass
class StyleUrl:
    """A Map Server may use StyleURL to offer more information about the data or
    symbology underlying a particular Style.

    While the semantics are not well-defined, as long as the results of
    an HTTP GET request against the StyleURL are properly MIME-typed,
    Viewer Clients and Cascading Map Servers can make use of this. A
    possible use could be to allow a Map Server to provide legend
    information.
    """

    class Meta:
        name = "StyleURL"
        namespace = "http://www.opengis.net/wms"

    format: Optional[Format] = field(
        default=None,
        metadata={
            "name": "Format",
            "type": "Element",
            "required": True,
        },
    )
    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "required": True,
        },
    )
format = field(default=None, metadata={'name': 'Format', 'type': 'Element', 'required': True}) class-attribute instance-attribute
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1115
1116
1117
class Meta:
    name = "StyleURL"
    namespace = "http://www.opengis.net/wms"
name = 'StyleURL' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=None, online_resource=None)
Title dataclass

The Title is for informative display to a human.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
@dataclass
class Title:
    """
    The Title is for informative display to a human.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
569
570
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
TitleEltType dataclass

:ivar type_value: :ivar lang: xml:lang is not required, but provides much of the motivation for title elements in addition to attributes, and so is provided here for convenience. :ivar content:

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
@dataclass
class TitleEltType:
    """
    :ivar type_value:
    :ivar lang: xml:lang is not required, but provides much of the
        motivation for title elements in addition to attributes, and so
        is provided here for convenience.
    :ivar content:
    """

    class Meta:
        name = "titleEltType"

    type_value: TypeType = field(
        init=False,
        default=TypeType.TITLE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    lang: Optional[Union[str, LangValue]] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/XML/1998/namespace",
        },
    )
    content: List[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
            "mixed": True,
        },
    )
content = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##any', 'mixed': True}) class-attribute instance-attribute
lang = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/XML/1998/namespace'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.TITLE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
331
332
class Meta:
    name = "titleEltType"
name = 'titleEltType' class-attribute instance-attribute
__init__(lang=None, content=list())
TypeType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
25
26
27
28
29
30
31
class TypeType(Enum):
    SIMPLE = "simple"
    EXTENDED = "extended"
    TITLE = "title"
    RESOURCE = "resource"
    LOCATOR = "locator"
    ARC = "arc"
ARC = 'arc' class-attribute instance-attribute
EXTENDED = 'extended' class-attribute instance-attribute
LOCATOR = 'locator' class-attribute instance-attribute
RESOURCE = 'resource' class-attribute instance-attribute
SIMPLE = 'simple' class-attribute instance-attribute
TITLE = 'title' class-attribute instance-attribute
WmsCapabilities dataclass

A WMS_Capabilities document is returned in response to a GetCapabilities request made on a WMS.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
@dataclass
class WmsCapabilities:
    """
    A WMS_Capabilities document is returned in response to a GetCapabilities
    request made on a WMS.
    """

    class Meta:
        name = "WMS_Capabilities"
        namespace = "http://www.opengis.net/wms"

    service: Optional[Service] = field(
        default=None,
        metadata={
            "name": "Service",
            "type": "Element",
            "required": True,
        },
    )
    capability: Optional[Capability] = field(
        default=None,
        metadata={
            "name": "Capability",
            "type": "Element",
            "required": True,
        },
    )
    version: str = field(
        init=False,
        default="1.3.0",
        metadata={
            "type": "Attribute",
        },
    )
    update_sequence: Optional[str] = field(
        default=None,
        metadata={
            "name": "updateSequence",
            "type": "Attribute",
        },
    )
capability = field(default=None, metadata={'name': 'Capability', 'type': 'Element', 'required': True}) class-attribute instance-attribute
service = field(default=None, metadata={'name': 'Service', 'type': 'Element', 'required': True}) class-attribute instance-attribute
update_sequence = field(default=None, metadata={'name': 'updateSequence', 'type': 'Attribute'}) class-attribute instance-attribute
version = field(init=False, default='1.3.0', metadata={'type': 'Attribute'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1679
1680
1681
class Meta:
    name = "WMS_Capabilities"
    namespace = "http://www.opengis.net/wms"
name = 'WMS_Capabilities' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(service=None, capability=None, update_sequence=None)
XlinkTitle dataclass

Bases: TitleEltType

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
382
383
384
385
386
@dataclass
class Title(TitleEltType):
    class Meta:
        name = "title"
        namespace = "http://www.w3.org/1999/xlink"
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
384
385
386
class Meta:
    name = "title"
    namespace = "http://www.w3.org/1999/xlink"
name = 'title' class-attribute instance-attribute
namespace = 'http://www.w3.org/1999/xlink' class-attribute instance-attribute
__init__(lang=None, content=list())
capabilities_1_3_0
__NAMESPACE__ = 'http://www.opengis.net/wms' module-attribute
Abstract dataclass

The abstract is a longer narrative description of an object.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
@dataclass
class Abstract:
    """
    The abstract is a longer narrative description of an object.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
20
21
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
AccessConstraints dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
31
32
33
34
35
36
37
38
39
40
41
@dataclass
class AccessConstraints:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
33
34
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
Address dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
44
45
46
47
48
49
50
51
52
53
54
@dataclass
class Address:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
46
47
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
AddressType dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
57
58
59
60
61
62
63
64
65
66
67
@dataclass
class AddressType:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
59
60
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
Attribution dataclass

Attribution indicates the provider of a Layer or collection of Layers.

The provider's URL, descriptive title string, and/or logo image URL may be supplied. Client applications may choose to display one or more of these items. A format element indicates the MIME type of the logo image located at LogoURL. The logo image's width and height assist client applications in laying out space to display the logo.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
@dataclass
class Attribution:
    """Attribution indicates the provider of a Layer or collection of Layers.

    The provider's URL, descriptive title string, and/or logo image URL
    may be supplied.  Client applications may choose to display one or
    more of these items.  A format element indicates the MIME type of
    the logo image located at LogoURL.  The logo image's width and
    height assist client applications in laying out space to display the
    logo.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    title: Optional[Title] = field(
        default=None,
        metadata={
            "name": "Title",
            "type": "Element",
        },
    )
    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
        },
    )
    logo_url: Optional[LogoUrl] = field(
        default=None,
        metadata={
            "name": "LogoURL",
            "type": "Element",
        },
    )
logo_url = field(default=None, metadata={'name': 'LogoURL', 'type': 'Element'}) class-attribute instance-attribute
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element'}) class-attribute instance-attribute
title = field(default=None, metadata={'name': 'Title', 'type': 'Element'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1149
1150
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(title=None, online_resource=None, logo_url=None)
AuthorityUrl dataclass

A Map Server may use zero or more Identifier elements to list ID numbers or labels defined by a particular Authority.

For example, the Global Change Master Directory (gcmd.gsfc.nasa.gov) defines a DIF_ID label for every dataset. The authority name and explanatory URL are defined in a separate AuthorityURL element, which may be defined once and inherited by subsidiary layers. Identifiers themselves are not inherited.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
@dataclass
class AuthorityUrl:
    """A Map Server may use zero or more Identifier elements to list ID numbers or
    labels defined by a particular Authority.

    For example, the Global Change Master Directory (gcmd.gsfc.nasa.gov)
    defines a DIF_ID label for every dataset.  The authority name and
    explanatory URL are defined in a separate AuthorityURL element,
    which may be defined once and inherited by subsidiary layers.
    Identifiers themselves are not inherited.
    """

    class Meta:
        name = "AuthorityURL"
        namespace = "http://www.opengis.net/wms"

    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "required": True,
        },
    )
    name: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
name = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
785
786
787
class Meta:
    name = "AuthorityURL"
    namespace = "http://www.opengis.net/wms"
name = 'AuthorityURL' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(online_resource=None, name=None)
BoundingBox dataclass

The BoundingBox attributes indicate the limits of the bounding box in units of the specified coordinate reference system.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
@dataclass
class BoundingBox:
    """
    The BoundingBox attributes indicate the limits of the bounding box in units of
    the specified coordinate reference system.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    crs: Optional[str] = field(
        default=None,
        metadata={
            "name": "CRS",
            "type": "Attribute",
            "required": True,
        },
    )
    minx: Optional[float] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    miny: Optional[float] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    maxx: Optional[float] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    maxy: Optional[float] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    resx: Optional[float] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
    resy: Optional[float] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
crs = field(default=None, metadata={'name': 'CRS', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
maxx = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
maxy = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
minx = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
miny = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
resx = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
resy = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
77
78
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(crs=None, minx=None, miny=None, maxx=None, maxy=None, resx=None, resy=None)
Capability dataclass

A Capability lists available request types, how exceptions may be reported, and whether any extended capabilities are defined.

It also includes an optional list of map layers available from this server.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
@dataclass
class Capability:
    """A Capability lists available request types, how exceptions may be reported,
    and whether any extended capabilities are defined.

    It also includes an optional list of map layers available from this
    server.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    request: Optional[Request] = field(
        default=None,
        metadata={
            "name": "Request",
            "type": "Element",
            "required": True,
        },
    )
    exception: Optional[Exception] = field(
        default=None,
        metadata={
            "name": "Exception",
            "type": "Element",
            "required": True,
        },
    )
    layer: Optional[Layer] = field(
        default=None,
        metadata={
            "name": "Layer",
            "type": "Element",
        },
    )
exception = field(default=None, metadata={'name': 'Exception', 'type': 'Element', 'required': True}) class-attribute instance-attribute
layer = field(default=None, metadata={'name': 'Layer', 'type': 'Element'}) class-attribute instance-attribute
request = field(default=None, metadata={'name': 'Request', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1644
1645
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(request=None, exception=None, layer=None)
City dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
148
149
150
151
152
153
154
155
156
157
158
@dataclass
class City:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
150
151
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
ContactAddress dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
@dataclass
class ContactAddress:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    address_type: Optional[AddressType] = field(
        default=None,
        metadata={
            "name": "AddressType",
            "type": "Element",
            "required": True,
        },
    )
    address: Optional[Address] = field(
        default=None,
        metadata={
            "name": "Address",
            "type": "Element",
            "required": True,
        },
    )
    city: Optional[City] = field(
        default=None,
        metadata={
            "name": "City",
            "type": "Element",
            "required": True,
        },
    )
    state_or_province: Optional[StateOrProvince] = field(
        default=None,
        metadata={
            "name": "StateOrProvince",
            "type": "Element",
            "required": True,
        },
    )
    post_code: Optional[PostCode] = field(
        default=None,
        metadata={
            "name": "PostCode",
            "type": "Element",
            "required": True,
        },
    )
    country: Optional[Country] = field(
        default=None,
        metadata={
            "name": "Country",
            "type": "Element",
            "required": True,
        },
    )
address = field(default=None, metadata={'name': 'Address', 'type': 'Element', 'required': True}) class-attribute instance-attribute
address_type = field(default=None, metadata={'name': 'AddressType', 'type': 'Element', 'required': True}) class-attribute instance-attribute
city = field(default=None, metadata={'name': 'City', 'type': 'Element', 'required': True}) class-attribute instance-attribute
country = field(default=None, metadata={'name': 'Country', 'type': 'Element', 'required': True}) class-attribute instance-attribute
post_code = field(default=None, metadata={'name': 'PostCode', 'type': 'Element', 'required': True}) class-attribute instance-attribute
state_or_province = field(default=None, metadata={'name': 'StateOrProvince', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
594
595
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(address_type=None, address=None, city=None, state_or_province=None, post_code=None, country=None)
ContactElectronicMailAddress dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
161
162
163
164
165
166
167
168
169
170
171
@dataclass
class ContactElectronicMailAddress:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
163
164
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
ContactFacsimileTelephone dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
174
175
176
177
178
179
180
181
182
183
184
@dataclass
class ContactFacsimileTelephone:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
176
177
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
ContactInformation dataclass

Information about a contact person for the service.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
@dataclass
class ContactInformation:
    """
    Information about a contact person for the service.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    contact_person_primary: Optional[ContactPersonPrimary] = field(
        default=None,
        metadata={
            "name": "ContactPersonPrimary",
            "type": "Element",
        },
    )
    contact_position: Optional[ContactPosition] = field(
        default=None,
        metadata={
            "name": "ContactPosition",
            "type": "Element",
        },
    )
    contact_address: Optional[ContactAddress] = field(
        default=None,
        metadata={
            "name": "ContactAddress",
            "type": "Element",
        },
    )
    contact_voice_telephone: Optional[ContactVoiceTelephone] = field(
        default=None,
        metadata={
            "name": "ContactVoiceTelephone",
            "type": "Element",
        },
    )
    contact_facsimile_telephone: Optional[ContactFacsimileTelephone] = field(
        default=None,
        metadata={
            "name": "ContactFacsimileTelephone",
            "type": "Element",
        },
    )
    contact_electronic_mail_address: Optional[ContactElectronicMailAddress] = field(
        default=None,
        metadata={
            "name": "ContactElectronicMailAddress",
            "type": "Element",
        },
    )
contact_address = field(default=None, metadata={'name': 'ContactAddress', 'type': 'Element'}) class-attribute instance-attribute
contact_electronic_mail_address = field(default=None, metadata={'name': 'ContactElectronicMailAddress', 'type': 'Element'}) class-attribute instance-attribute
contact_facsimile_telephone = field(default=None, metadata={'name': 'ContactFacsimileTelephone', 'type': 'Element'}) class-attribute instance-attribute
contact_person_primary = field(default=None, metadata={'name': 'ContactPersonPrimary', 'type': 'Element'}) class-attribute instance-attribute
contact_position = field(default=None, metadata={'name': 'ContactPosition', 'type': 'Element'}) class-attribute instance-attribute
contact_voice_telephone = field(default=None, metadata={'name': 'ContactVoiceTelephone', 'type': 'Element'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
812
813
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(contact_person_primary=None, contact_position=None, contact_address=None, contact_voice_telephone=None, contact_facsimile_telephone=None, contact_electronic_mail_address=None)
ContactOrganization dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
187
188
189
190
191
192
193
194
195
196
197
@dataclass
class ContactOrganization:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
189
190
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
ContactPerson dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
200
201
202
203
204
205
206
207
208
209
210
@dataclass
class ContactPerson:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
202
203
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
ContactPersonPrimary dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
@dataclass
class ContactPersonPrimary:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    contact_person: Optional[ContactPerson] = field(
        default=None,
        metadata={
            "name": "ContactPerson",
            "type": "Element",
            "required": True,
        },
    )
    contact_organization: Optional[ContactOrganization] = field(
        default=None,
        metadata={
            "name": "ContactOrganization",
            "type": "Element",
            "required": True,
        },
    )
contact_organization = field(default=None, metadata={'name': 'ContactOrganization', 'type': 'Element', 'required': True}) class-attribute instance-attribute
contact_person = field(default=None, metadata={'name': 'ContactPerson', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
649
650
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(contact_person=None, contact_organization=None)
ContactPosition dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
213
214
215
216
217
218
219
220
221
222
223
@dataclass
class ContactPosition:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
215
216
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
ContactVoiceTelephone dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
226
227
228
229
230
231
232
233
234
235
236
@dataclass
class ContactVoiceTelephone:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
228
229
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
Country dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
239
240
241
242
243
244
245
246
247
248
249
@dataclass
class Country:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
241
242
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
Crs dataclass

Identifier for a single Coordinate Reference System (CRS).

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
@dataclass
class Crs:
    """
    Identifier for a single Coordinate Reference System (CRS).
    """

    class Meta:
        name = "CRS"
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
136
137
138
class Meta:
    name = "CRS"
    namespace = "http://www.opengis.net/wms"
name = 'CRS' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
DataUrl dataclass

A Map Server may use DataURL offer a link to the underlying data represented by a particular layer.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
@dataclass
class DataUrl:
    """
    A Map Server may use DataURL offer a link to the underlying data represented by
    a particular layer.
    """

    class Meta:
        name = "DataURL"
        namespace = "http://www.opengis.net/wms"

    format: Optional[Format] = field(
        default=None,
        metadata={
            "name": "Format",
            "type": "Element",
            "required": True,
        },
    )
    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "required": True,
        },
    )
format = field(default=None, metadata={'name': 'Format', 'type': 'Element', 'required': True}) class-attribute instance-attribute
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
866
867
868
class Meta:
    name = "DataURL"
    namespace = "http://www.opengis.net/wms"
name = 'DataURL' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=None, online_resource=None)
Dcptype dataclass

Available Distributed Computing Platforms (DCPs) are listed here.

At present, only HTTP is defined.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
@dataclass
class Dcptype:
    """Available Distributed Computing Platforms (DCPs) are listed here.

    At present, only HTTP is defined.
    """

    class Meta:
        name = "DCPType"
        namespace = "http://www.opengis.net/wms"

    http: Optional[Http] = field(
        default=None,
        metadata={
            "name": "HTTP",
            "type": "Element",
            "required": True,
        },
    )
http = field(default=None, metadata={'name': 'HTTP', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1358
1359
1360
class Meta:
    name = "DCPType"
    namespace = "http://www.opengis.net/wms"
name = 'DCPType' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(http=None)
Dimension dataclass

The Dimension element declares the existence of a dimension and indicates what values along a dimension are valid.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
@dataclass
class Dimension:
    """
    The Dimension element declares the existence of a dimension and indicates what
    values along a dimension are valid.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
    name: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    units: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
    unit_symbol: Optional[str] = field(
        default=None,
        metadata={
            "name": "unitSymbol",
            "type": "Attribute",
        },
    )
    default: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
    multiple_values: Optional[bool] = field(
        default=None,
        metadata={
            "name": "multipleValues",
            "type": "Attribute",
        },
    )
    nearest_value: Optional[bool] = field(
        default=None,
        metadata={
            "name": "nearestValue",
            "type": "Attribute",
        },
    )
    current: Optional[bool] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
current = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
default = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
multiple_values = field(default=None, metadata={'name': 'multipleValues', 'type': 'Attribute'}) class-attribute instance-attribute
name = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
nearest_value = field(default=None, metadata={'name': 'nearestValue', 'type': 'Attribute'}) class-attribute instance-attribute
unit_symbol = field(default=None, metadata={'name': 'unitSymbol', 'type': 'Attribute'}) class-attribute instance-attribute
units = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
259
260
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='', name=None, units=None, unit_symbol=None, default=None, multiple_values=None, nearest_value=None, current=None)
ExGeographicBoundingBox dataclass

The EX_GeographicBoundingBox attributes indicate the limits of the enclosing rectangle in longitude and latitude decimal degrees.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
@dataclass
class ExGeographicBoundingBox:
    """
    The EX_GeographicBoundingBox attributes indicate the limits of the enclosing
    rectangle in longitude and latitude decimal degrees.
    """

    class Meta:
        name = "EX_GeographicBoundingBox"
        namespace = "http://www.opengis.net/wms"

    west_bound_longitude: Optional[float] = field(
        default=None,
        metadata={
            "name": "westBoundLongitude",
            "type": "Element",
            "required": True,
            "min_inclusive": -180.0,
            "max_inclusive": 180.0,
        },
    )
    east_bound_longitude: Optional[float] = field(
        default=None,
        metadata={
            "name": "eastBoundLongitude",
            "type": "Element",
            "required": True,
            "min_inclusive": -180.0,
            "max_inclusive": 180.0,
        },
    )
    south_bound_latitude: Optional[float] = field(
        default=None,
        metadata={
            "name": "southBoundLatitude",
            "type": "Element",
            "required": True,
            "min_inclusive": -90.0,
            "max_inclusive": 90.0,
        },
    )
    north_bound_latitude: Optional[float] = field(
        default=None,
        metadata={
            "name": "northBoundLatitude",
            "type": "Element",
            "required": True,
            "min_inclusive": -90.0,
            "max_inclusive": 90.0,
        },
    )
east_bound_longitude = field(default=None, metadata={'name': 'eastBoundLongitude', 'type': 'Element', 'required': True, 'min_inclusive': -180.0, 'max_inclusive': 180.0}) class-attribute instance-attribute
north_bound_latitude = field(default=None, metadata={'name': 'northBoundLatitude', 'type': 'Element', 'required': True, 'min_inclusive': -90.0, 'max_inclusive': 90.0}) class-attribute instance-attribute
south_bound_latitude = field(default=None, metadata={'name': 'southBoundLatitude', 'type': 'Element', 'required': True, 'min_inclusive': -90.0, 'max_inclusive': 90.0}) class-attribute instance-attribute
west_bound_longitude = field(default=None, metadata={'name': 'westBoundLongitude', 'type': 'Element', 'required': True, 'min_inclusive': -180.0, 'max_inclusive': 180.0}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
324
325
326
class Meta:
    name = "EX_GeographicBoundingBox"
    namespace = "http://www.opengis.net/wms"
name = 'EX_GeographicBoundingBox' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(west_bound_longitude=None, east_bound_longitude=None, south_bound_latitude=None, north_bound_latitude=None)
Exception dataclass

An Exception element indicates which error-reporting formats are supported.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
@dataclass
class Exception:
    """
    An Exception element indicates which error-reporting formats are supported.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    format: List[Format] = field(
        default_factory=list,
        metadata={
            "name": "Format",
            "type": "Element",
            "min_occurs": 1,
        },
    )
format = field(default_factory=list, metadata={'name': 'Format', 'type': 'Element', 'min_occurs': 1}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
676
677
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=list())
ExtendedCapabilities dataclass

Individual service providers may use this element to report extended capabilities.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
580
581
582
583
584
585
586
587
588
589
@dataclass
class ExtendedCapabilities:
    """
    Individual service providers may use this element to report extended
    capabilities.
    """

    class Meta:
        name = "_ExtendedCapabilities"
        namespace = "http://www.opengis.net/wms"
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
587
588
589
class Meta:
    name = "_ExtendedCapabilities"
    namespace = "http://www.opengis.net/wms"
name = '_ExtendedCapabilities' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__()
ExtendedOperation dataclass

Bases: OperationType

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1594
1595
1596
1597
1598
@dataclass
class ExtendedOperation(OperationType):
    class Meta:
        name = "_ExtendedOperation"
        namespace = "http://www.opengis.net/wms"
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1596
1597
1598
class Meta:
    name = "_ExtendedOperation"
    namespace = "http://www.opengis.net/wms"
name = '_ExtendedOperation' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=list(), dcptype=list())
FeatureListUrl dataclass

A Map Server may use FeatureListURL to point to a list of the features represented in a Layer.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
@dataclass
class FeatureListUrl:
    """
    A Map Server may use FeatureListURL to point to a list of the features
    represented in a Layer.
    """

    class Meta:
        name = "FeatureListURL"
        namespace = "http://www.opengis.net/wms"

    format: Optional[Format] = field(
        default=None,
        metadata={
            "name": "Format",
            "type": "Element",
            "required": True,
        },
    )
    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "required": True,
        },
    )
format = field(default=None, metadata={'name': 'Format', 'type': 'Element', 'required': True}) class-attribute instance-attribute
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
895
896
897
class Meta:
    name = "FeatureListURL"
    namespace = "http://www.opengis.net/wms"
name = 'FeatureListURL' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=None, online_resource=None)
Fees dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
370
371
372
373
374
375
376
377
378
379
380
@dataclass
class Fees:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
372
373
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
Format dataclass

A container for listing an available format's MIME type.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
@dataclass
class Format:
    """
    A container for listing an available format's MIME type.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
389
390
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
Get dataclass

The URL prefix for the HTTP "Get" request method.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
@dataclass
class Get:
    """
    The URL prefix for the HTTP "Get" request method.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "required": True,
        },
    )
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
923
924
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(online_resource=None)
GetCapabilities dataclass

Bases: OperationType

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1576
1577
1578
1579
@dataclass
class GetCapabilities(OperationType):
    class Meta:
        namespace = "http://www.opengis.net/wms"
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1578
1579
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=list(), dcptype=list())
GetFeatureInfo dataclass

Bases: OperationType

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1582
1583
1584
1585
@dataclass
class GetFeatureInfo(OperationType):
    class Meta:
        namespace = "http://www.opengis.net/wms"
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1584
1585
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=list(), dcptype=list())
GetMap dataclass

Bases: OperationType

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1588
1589
1590
1591
@dataclass
class GetMap(OperationType):
    class Meta:
        namespace = "http://www.opengis.net/wms"
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1590
1591
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=list(), dcptype=list())
Http dataclass

Available HTTP request methods.

At least "Get" shall be supported.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
@dataclass
class Http:
    """Available HTTP request methods.

    At least "Get" shall be supported.
    """

    class Meta:
        name = "HTTP"
        namespace = "http://www.opengis.net/wms"

    get: Optional[Get] = field(
        default=None,
        metadata={
            "name": "Get",
            "type": "Element",
            "required": True,
        },
    )
    post: Optional[Post] = field(
        default=None,
        metadata={
            "name": "Post",
            "type": "Element",
        },
    )
get = field(default=None, metadata={'name': 'Get', 'type': 'Element', 'required': True}) class-attribute instance-attribute
post = field(default=None, metadata={'name': 'Post', 'type': 'Element'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1182
1183
1184
class Meta:
    name = "HTTP"
    namespace = "http://www.opengis.net/wms"
name = 'HTTP' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(get=None, post=None)
Identifier dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
@dataclass
class Identifier:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
    authority: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "required": True,
        },
    )
authority = field(default=None, metadata={'type': 'Attribute', 'required': True}) class-attribute instance-attribute
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
402
403
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='', authority=None)
Keyword dataclass

A single keyword or phrase.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
@dataclass
class Keyword:
    """
    A single keyword or phrase.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
    vocabulary: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
vocabulary = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
426
427
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='', vocabulary=None)
KeywordList dataclass

List of keywords or keyword phrases to help catalog searching.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
@dataclass
class KeywordList:
    """
    List of keywords or keyword phrases to help catalog searching.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    keyword: List[Keyword] = field(
        default_factory=list,
        metadata={
            "name": "Keyword",
            "type": "Element",
        },
    )
keyword = field(default_factory=list, metadata={'name': 'Keyword', 'type': 'Element'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
695
696
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(keyword=list())
Layer dataclass

Nested list of zero or more map Layers offered by this server.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
@dataclass
class Layer:
    """
    Nested list of zero or more map Layers offered by this server.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    name: Optional[Name] = field(
        default=None,
        metadata={
            "name": "Name",
            "type": "Element",
        },
    )
    title: Optional[Title] = field(
        default=None,
        metadata={
            "name": "Title",
            "type": "Element",
            "required": True,
        },
    )
    abstract: Optional[Abstract] = field(
        default=None,
        metadata={
            "name": "Abstract",
            "type": "Element",
        },
    )
    keyword_list: Optional[KeywordList] = field(
        default=None,
        metadata={
            "name": "KeywordList",
            "type": "Element",
        },
    )
    crs: List[Crs] = field(
        default_factory=list,
        metadata={
            "name": "CRS",
            "type": "Element",
        },
    )
    ex_geographic_bounding_box: Optional[ExGeographicBoundingBox] = field(
        default=None,
        metadata={
            "name": "EX_GeographicBoundingBox",
            "type": "Element",
        },
    )
    bounding_box: List[BoundingBox] = field(
        default_factory=list,
        metadata={
            "name": "BoundingBox",
            "type": "Element",
        },
    )
    dimension: List[Dimension] = field(
        default_factory=list,
        metadata={
            "name": "Dimension",
            "type": "Element",
        },
    )
    attribution: Optional[Attribution] = field(
        default=None,
        metadata={
            "name": "Attribution",
            "type": "Element",
        },
    )
    authority_url: List[AuthorityUrl] = field(
        default_factory=list,
        metadata={
            "name": "AuthorityURL",
            "type": "Element",
        },
    )
    identifier: List[Identifier] = field(
        default_factory=list,
        metadata={
            "name": "Identifier",
            "type": "Element",
        },
    )
    metadata_url: List[MetadataUrl] = field(
        default_factory=list,
        metadata={
            "name": "MetadataURL",
            "type": "Element",
        },
    )
    data_url: List[DataUrl] = field(
        default_factory=list,
        metadata={
            "name": "DataURL",
            "type": "Element",
        },
    )
    feature_list_url: List[FeatureListUrl] = field(
        default_factory=list,
        metadata={
            "name": "FeatureListURL",
            "type": "Element",
        },
    )
    style: List[Style] = field(
        default_factory=list,
        metadata={
            "name": "Style",
            "type": "Element",
        },
    )
    min_scale_denominator: Optional[MinScaleDenominator] = field(
        default=None,
        metadata={
            "name": "MinScaleDenominator",
            "type": "Element",
        },
    )
    max_scale_denominator: Optional[MaxScaleDenominator] = field(
        default=None,
        metadata={
            "name": "MaxScaleDenominator",
            "type": "Element",
        },
    )
    layer: List["Layer"] = field(
        default_factory=list,
        metadata={
            "name": "Layer",
            "type": "Element",
        },
    )
    queryable: bool = field(
        default=False,
        metadata={
            "type": "Attribute",
        },
    )
    cascaded: Optional[int] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
    opaque: bool = field(
        default=False,
        metadata={
            "type": "Attribute",
        },
    )
    no_subsets: bool = field(
        default=False,
        metadata={
            "name": "noSubsets",
            "type": "Attribute",
        },
    )
    fixed_width: Optional[int] = field(
        default=None,
        metadata={
            "name": "fixedWidth",
            "type": "Attribute",
        },
    )
    fixed_height: Optional[int] = field(
        default=None,
        metadata={
            "name": "fixedHeight",
            "type": "Attribute",
        },
    )
abstract = field(default=None, metadata={'name': 'Abstract', 'type': 'Element'}) class-attribute instance-attribute
attribution = field(default=None, metadata={'name': 'Attribution', 'type': 'Element'}) class-attribute instance-attribute
authority_url = field(default_factory=list, metadata={'name': 'AuthorityURL', 'type': 'Element'}) class-attribute instance-attribute
bounding_box = field(default_factory=list, metadata={'name': 'BoundingBox', 'type': 'Element'}) class-attribute instance-attribute
cascaded = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
crs = field(default_factory=list, metadata={'name': 'CRS', 'type': 'Element'}) class-attribute instance-attribute
data_url = field(default_factory=list, metadata={'name': 'DataURL', 'type': 'Element'}) class-attribute instance-attribute
dimension = field(default_factory=list, metadata={'name': 'Dimension', 'type': 'Element'}) class-attribute instance-attribute
ex_geographic_bounding_box = field(default=None, metadata={'name': 'EX_GeographicBoundingBox', 'type': 'Element'}) class-attribute instance-attribute
feature_list_url = field(default_factory=list, metadata={'name': 'FeatureListURL', 'type': 'Element'}) class-attribute instance-attribute
fixed_height = field(default=None, metadata={'name': 'fixedHeight', 'type': 'Attribute'}) class-attribute instance-attribute
fixed_width = field(default=None, metadata={'name': 'fixedWidth', 'type': 'Attribute'}) class-attribute instance-attribute
identifier = field(default_factory=list, metadata={'name': 'Identifier', 'type': 'Element'}) class-attribute instance-attribute
keyword_list = field(default=None, metadata={'name': 'KeywordList', 'type': 'Element'}) class-attribute instance-attribute
layer = field(default_factory=list, metadata={'name': 'Layer', 'type': 'Element'}) class-attribute instance-attribute
max_scale_denominator = field(default=None, metadata={'name': 'MaxScaleDenominator', 'type': 'Element'}) class-attribute instance-attribute
metadata_url = field(default_factory=list, metadata={'name': 'MetadataURL', 'type': 'Element'}) class-attribute instance-attribute
min_scale_denominator = field(default=None, metadata={'name': 'MinScaleDenominator', 'type': 'Element'}) class-attribute instance-attribute
name = field(default=None, metadata={'name': 'Name', 'type': 'Element'}) class-attribute instance-attribute
no_subsets = field(default=False, metadata={'name': 'noSubsets', 'type': 'Attribute'}) class-attribute instance-attribute
opaque = field(default=False, metadata={'type': 'Attribute'}) class-attribute instance-attribute
queryable = field(default=False, metadata={'type': 'Attribute'}) class-attribute instance-attribute
style = field(default_factory=list, metadata={'name': 'Style', 'type': 'Element'}) class-attribute instance-attribute
title = field(default=None, metadata={'name': 'Title', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1378
1379
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(name=None, title=None, abstract=None, keyword_list=None, crs=list(), ex_geographic_bounding_box=None, bounding_box=list(), dimension=list(), attribution=None, authority_url=list(), identifier=list(), metadata_url=list(), data_url=list(), feature_list_url=list(), style=list(), min_scale_denominator=None, max_scale_denominator=None, layer=list(), queryable=False, cascaded=None, opaque=False, no_subsets=False, fixed_width=None, fixed_height=None)
LayerLimit dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
443
444
445
446
447
448
449
450
451
452
453
@dataclass
class LayerLimit:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: Optional[int] = field(
        default=None,
        metadata={
            "required": True,
        },
    )
value = field(default=None, metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
445
446
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value=None)
LegendUrl dataclass

A Map Server may use zero or more LegendURL elements to provide an image(s) of a legend relevant to each Style of a Layer.

The Format element indicates the MIME type of the legend. Width and height attributes may be provided to assist client applications in laying out space to display the legend.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
@dataclass
class LegendUrl:
    """A Map Server may use zero or more LegendURL elements to provide an image(s)
    of a legend relevant to each Style of a Layer.

    The Format element indicates the MIME type of the legend. Width and
    height attributes may be provided to assist client applications in
    laying out space to display the legend.
    """

    class Meta:
        name = "LegendURL"
        namespace = "http://www.opengis.net/wms"

    format: Optional[Format] = field(
        default=None,
        metadata={
            "name": "Format",
            "type": "Element",
            "required": True,
        },
    )
    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "required": True,
        },
    )
    width: Optional[int] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
    height: Optional[int] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
format = field(default=None, metadata={'name': 'Format', 'type': 'Element', 'required': True}) class-attribute instance-attribute
height = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'required': True}) class-attribute instance-attribute
width = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
946
947
948
class Meta:
    name = "LegendURL"
    namespace = "http://www.opengis.net/wms"
name = 'LegendURL' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=None, online_resource=None, width=None, height=None)
LogoUrl dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
 980
 981
 982
 983
 984
 985
 986
 987
 988
 989
 990
 991
 992
 993
 994
 995
 996
 997
 998
 999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
@dataclass
class LogoUrl:
    class Meta:
        name = "LogoURL"
        namespace = "http://www.opengis.net/wms"

    format: Optional[Format] = field(
        default=None,
        metadata={
            "name": "Format",
            "type": "Element",
            "required": True,
        },
    )
    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "required": True,
        },
    )
    width: Optional[int] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
    height: Optional[int] = field(
        default=None,
        metadata={
            "type": "Attribute",
        },
    )
format = field(default=None, metadata={'name': 'Format', 'type': 'Element', 'required': True}) class-attribute instance-attribute
height = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'required': True}) class-attribute instance-attribute
width = field(default=None, metadata={'type': 'Attribute'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
982
983
984
class Meta:
    name = "LogoURL"
    namespace = "http://www.opengis.net/wms"
name = 'LogoURL' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=None, online_resource=None, width=None, height=None)
MaxHeight dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
456
457
458
459
460
461
462
463
464
465
466
@dataclass
class MaxHeight:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: Optional[int] = field(
        default=None,
        metadata={
            "required": True,
        },
    )
value = field(default=None, metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
458
459
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value=None)
MaxScaleDenominator dataclass

Maximum scale denominator for which it is appropriate to display this layer.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
@dataclass
class MaxScaleDenominator:
    """
    Maximum scale denominator for which it is appropriate to display this layer.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: Optional[float] = field(
        default=None,
        metadata={
            "required": True,
        },
    )
value = field(default=None, metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
475
476
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value=None)
MaxWidth dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
486
487
488
489
490
491
492
493
494
495
496
@dataclass
class MaxWidth:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: Optional[int] = field(
        default=None,
        metadata={
            "required": True,
        },
    )
value = field(default=None, metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
488
489
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value=None)
MetadataUrl dataclass

A Map Server may use zero or more MetadataURL elements to offer detailed, standardized metadata about the data underneath a particular layer.

The type attribute indicates the standard to which the metadata complies. The format element indicates how the metadata is structured.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
@dataclass
class MetadataUrl:
    """A Map Server may use zero or more MetadataURL elements to offer detailed,
    standardized metadata about the data underneath a particular layer.

    The type attribute indicates the standard to which the metadata
    complies.  The format element indicates how the metadata is
    structured.
    """

    class Meta:
        name = "MetadataURL"
        namespace = "http://www.opengis.net/wms"

    format: Optional[Format] = field(
        default=None,
        metadata={
            "name": "Format",
            "type": "Element",
            "required": True,
        },
    )
    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "required": True,
        },
    )
    type_value: Optional[str] = field(
        default=None,
        metadata={
            "name": "type",
            "type": "Attribute",
            "required": True,
        },
    )
format = field(default=None, metadata={'name': 'Format', 'type': 'Element', 'required': True}) class-attribute instance-attribute
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'required': True}) class-attribute instance-attribute
type_value = field(default=None, metadata={'name': 'type', 'type': 'Attribute', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1026
1027
1028
class Meta:
    name = "MetadataURL"
    namespace = "http://www.opengis.net/wms"
name = 'MetadataURL' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=None, online_resource=None, type_value=None)
MinScaleDenominator dataclass

Minimum scale denominator for which it is appropriate to display this layer.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
@dataclass
class MinScaleDenominator:
    """
    Minimum scale denominator for which it is appropriate to display this layer.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: Optional[float] = field(
        default=None,
        metadata={
            "required": True,
        },
    )
value = field(default=None, metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
505
506
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value=None)
Name dataclass

The Name is typically for machine-to-machine communication.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
@dataclass
class Name:
    """
    The Name is typically for machine-to-machine communication.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
522
523
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
OnlineResource dataclass

An OnlineResource is typically an HTTP URL.

The URL is placed in the xlink:href attribute, and the value "simple" is placed in the xlink:type attribute.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
@dataclass
class OnlineResource:
    """An OnlineResource is typically an HTTP URL.

    The URL is placed in the xlink:href attribute, and the value
    "simple" is placed in the xlink:type attribute.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    type_value: TypeType = field(
        init=False,
        default=TypeType.SIMPLE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    href: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    arcrole: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    show: Optional[ShowType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    actuate: Optional[ActuateType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
actuate = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
arcrole = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
href = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
show = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.SIMPLE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
715
716
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None)
OperationType dataclass

For each operation offered by the server, list the available output formats and the online resource.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
@dataclass
class OperationType:
    """
    For each operation offered by the server, list the available output formats and
    the online resource.
    """

    format: List[Format] = field(
        default_factory=list,
        metadata={
            "name": "Format",
            "type": "Element",
            "namespace": "http://www.opengis.net/wms",
            "min_occurs": 1,
        },
    )
    dcptype: List[Dcptype] = field(
        default_factory=list,
        metadata={
            "name": "DCPType",
            "type": "Element",
            "namespace": "http://www.opengis.net/wms",
            "min_occurs": 1,
        },
    )
dcptype = field(default_factory=list, metadata={'name': 'DCPType', 'type': 'Element', 'namespace': 'http://www.opengis.net/wms', 'min_occurs': 1}) class-attribute instance-attribute
format = field(default_factory=list, metadata={'name': 'Format', 'type': 'Element', 'namespace': 'http://www.opengis.net/wms', 'min_occurs': 1}) class-attribute instance-attribute
__init__(format=list(), dcptype=list())
Post dataclass

The URL prefix for the HTTP "Post" request method.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
@dataclass
class Post:
    """
    The URL prefix for the HTTP "Post" request method.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "required": True,
        },
    )
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1062
1063
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(online_resource=None)
PostCode dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
533
534
535
536
537
538
539
540
541
542
543
@dataclass
class PostCode:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
535
536
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
Request dataclass

Available WMS Operations are listed in a Request element.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
@dataclass
class Request:
    """
    Available WMS Operations are listed in a Request element.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    get_capabilities: Optional[GetCapabilities] = field(
        default=None,
        metadata={
            "name": "GetCapabilities",
            "type": "Element",
            "required": True,
        },
    )
    get_map: Optional[GetMap] = field(
        default=None,
        metadata={
            "name": "GetMap",
            "type": "Element",
            "required": True,
        },
    )
    get_feature_info: Optional[GetFeatureInfo] = field(
        default=None,
        metadata={
            "name": "GetFeatureInfo",
            "type": "Element",
        },
    )
get_capabilities = field(default=None, metadata={'name': 'GetCapabilities', 'type': 'Element', 'required': True}) class-attribute instance-attribute
get_feature_info = field(default=None, metadata={'name': 'GetFeatureInfo', 'type': 'Element'}) class-attribute instance-attribute
get_map = field(default=None, metadata={'name': 'GetMap', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1607
1608
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(get_capabilities=None, get_map=None, get_feature_info=None)
Service dataclass

General service metadata.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
@dataclass
class Service:
    """
    General service metadata.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    name: Optional[ServiceName] = field(
        default=None,
        metadata={
            "name": "Name",
            "type": "Element",
            "required": True,
        },
    )
    title: Optional[Title] = field(
        default=None,
        metadata={
            "name": "Title",
            "type": "Element",
            "required": True,
        },
    )
    abstract: Optional[Abstract] = field(
        default=None,
        metadata={
            "name": "Abstract",
            "type": "Element",
        },
    )
    keyword_list: Optional[KeywordList] = field(
        default=None,
        metadata={
            "name": "KeywordList",
            "type": "Element",
        },
    )
    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "required": True,
        },
    )
    contact_information: Optional[ContactInformation] = field(
        default=None,
        metadata={
            "name": "ContactInformation",
            "type": "Element",
        },
    )
    fees: Optional[Fees] = field(
        default=None,
        metadata={
            "name": "Fees",
            "type": "Element",
        },
    )
    access_constraints: Optional[AccessConstraints] = field(
        default=None,
        metadata={
            "name": "AccessConstraints",
            "type": "Element",
        },
    )
    layer_limit: Optional[LayerLimit] = field(
        default=None,
        metadata={
            "name": "LayerLimit",
            "type": "Element",
        },
    )
    max_width: Optional[MaxWidth] = field(
        default=None,
        metadata={
            "name": "MaxWidth",
            "type": "Element",
        },
    )
    max_height: Optional[MaxHeight] = field(
        default=None,
        metadata={
            "name": "MaxHeight",
            "type": "Element",
        },
    )
abstract = field(default=None, metadata={'name': 'Abstract', 'type': 'Element'}) class-attribute instance-attribute
access_constraints = field(default=None, metadata={'name': 'AccessConstraints', 'type': 'Element'}) class-attribute instance-attribute
contact_information = field(default=None, metadata={'name': 'ContactInformation', 'type': 'Element'}) class-attribute instance-attribute
fees = field(default=None, metadata={'name': 'Fees', 'type': 'Element'}) class-attribute instance-attribute
keyword_list = field(default=None, metadata={'name': 'KeywordList', 'type': 'Element'}) class-attribute instance-attribute
layer_limit = field(default=None, metadata={'name': 'LayerLimit', 'type': 'Element'}) class-attribute instance-attribute
max_height = field(default=None, metadata={'name': 'MaxHeight', 'type': 'Element'}) class-attribute instance-attribute
max_width = field(default=None, metadata={'name': 'MaxWidth', 'type': 'Element'}) class-attribute instance-attribute
name = field(default=None, metadata={'name': 'Name', 'type': 'Element', 'required': True}) class-attribute instance-attribute
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'required': True}) class-attribute instance-attribute
title = field(default=None, metadata={'name': 'Title', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1209
1210
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(name=None, title=None, abstract=None, keyword_list=None, online_resource=None, contact_information=None, fees=None, access_constraints=None, layer_limit=None, max_width=None, max_height=None)
ServiceName

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
546
547
class ServiceName(Enum):
    WMS = "WMS"
WMS = 'WMS' class-attribute instance-attribute
StateOrProvince dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
550
551
552
553
554
555
556
557
558
559
560
@dataclass
class StateOrProvince:
    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
552
553
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
Style dataclass

A Style element lists the name by which a style is requested and a human- readable title for pick lists, optionally (and ideally) provides a human- readable description, and optionally gives a style URL.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
@dataclass
class Style:
    """
    A Style element lists the name by which a style is requested and a human-
    readable title for pick lists, optionally (and ideally) provides a human-
    readable description, and optionally gives a style URL.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    name: Optional[Name] = field(
        default=None,
        metadata={
            "name": "Name",
            "type": "Element",
            "required": True,
        },
    )
    title: Optional[Title] = field(
        default=None,
        metadata={
            "name": "Title",
            "type": "Element",
            "required": True,
        },
    )
    abstract: Optional[Abstract] = field(
        default=None,
        metadata={
            "name": "Abstract",
            "type": "Element",
        },
    )
    legend_url: List[LegendUrl] = field(
        default_factory=list,
        metadata={
            "name": "LegendURL",
            "type": "Element",
        },
    )
    style_sheet_url: Optional[StyleSheetUrl] = field(
        default=None,
        metadata={
            "name": "StyleSheetURL",
            "type": "Element",
        },
    )
    style_url: Optional[StyleUrl] = field(
        default=None,
        metadata={
            "name": "StyleURL",
            "type": "Element",
        },
    )
abstract = field(default=None, metadata={'name': 'Abstract', 'type': 'Element'}) class-attribute instance-attribute
legend_url = field(default_factory=list, metadata={'name': 'LegendURL', 'type': 'Element'}) class-attribute instance-attribute
name = field(default=None, metadata={'name': 'Name', 'type': 'Element', 'required': True}) class-attribute instance-attribute
style_sheet_url = field(default=None, metadata={'name': 'StyleSheetURL', 'type': 'Element'}) class-attribute instance-attribute
style_url = field(default=None, metadata={'name': 'StyleURL', 'type': 'Element'}) class-attribute instance-attribute
title = field(default=None, metadata={'name': 'Title', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1302
1303
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(name=None, title=None, abstract=None, legend_url=list(), style_sheet_url=None, style_url=None)
StyleSheetUrl dataclass

StyleSheeetURL provides symbology information for each Style of a Layer.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
@dataclass
class StyleSheetUrl:
    """
    StyleSheeetURL provides symbology information for each Style of a Layer.
    """

    class Meta:
        name = "StyleSheetURL"
        namespace = "http://www.opengis.net/wms"

    format: Optional[Format] = field(
        default=None,
        metadata={
            "name": "Format",
            "type": "Element",
            "required": True,
        },
    )
    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "required": True,
        },
    )
format = field(default=None, metadata={'name': 'Format', 'type': 'Element', 'required': True}) class-attribute instance-attribute
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1081
1082
1083
class Meta:
    name = "StyleSheetURL"
    namespace = "http://www.opengis.net/wms"
name = 'StyleSheetURL' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=None, online_resource=None)
StyleUrl dataclass

A Map Server may use StyleURL to offer more information about the data or symbology underlying a particular Style.

While the semantics are not well-defined, as long as the results of an HTTP GET request against the StyleURL are properly MIME-typed, Viewer Clients and Cascading Map Servers can make use of this. A possible use could be to allow a Map Server to provide legend information.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
@dataclass
class StyleUrl:
    """A Map Server may use StyleURL to offer more information about the data or
    symbology underlying a particular Style.

    While the semantics are not well-defined, as long as the results of
    an HTTP GET request against the StyleURL are properly MIME-typed,
    Viewer Clients and Cascading Map Servers can make use of this. A
    possible use could be to allow a Map Server to provide legend
    information.
    """

    class Meta:
        name = "StyleURL"
        namespace = "http://www.opengis.net/wms"

    format: Optional[Format] = field(
        default=None,
        metadata={
            "name": "Format",
            "type": "Element",
            "required": True,
        },
    )
    online_resource: Optional[OnlineResource] = field(
        default=None,
        metadata={
            "name": "OnlineResource",
            "type": "Element",
            "required": True,
        },
    )
format = field(default=None, metadata={'name': 'Format', 'type': 'Element', 'required': True}) class-attribute instance-attribute
online_resource = field(default=None, metadata={'name': 'OnlineResource', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1115
1116
1117
class Meta:
    name = "StyleURL"
    namespace = "http://www.opengis.net/wms"
name = 'StyleURL' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(format=None, online_resource=None)
Title dataclass

The Title is for informative display to a human.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
@dataclass
class Title:
    """
    The Title is for informative display to a human.
    """

    class Meta:
        namespace = "http://www.opengis.net/wms"

    value: str = field(
        default="",
        metadata={
            "required": True,
        },
    )
value = field(default='', metadata={'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
569
570
class Meta:
    namespace = "http://www.opengis.net/wms"
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(value='')
WmsCapabilities dataclass

A WMS_Capabilities document is returned in response to a GetCapabilities request made on a WMS.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
@dataclass
class WmsCapabilities:
    """
    A WMS_Capabilities document is returned in response to a GetCapabilities
    request made on a WMS.
    """

    class Meta:
        name = "WMS_Capabilities"
        namespace = "http://www.opengis.net/wms"

    service: Optional[Service] = field(
        default=None,
        metadata={
            "name": "Service",
            "type": "Element",
            "required": True,
        },
    )
    capability: Optional[Capability] = field(
        default=None,
        metadata={
            "name": "Capability",
            "type": "Element",
            "required": True,
        },
    )
    version: str = field(
        init=False,
        default="1.3.0",
        metadata={
            "type": "Attribute",
        },
    )
    update_sequence: Optional[str] = field(
        default=None,
        metadata={
            "name": "updateSequence",
            "type": "Attribute",
        },
    )
capability = field(default=None, metadata={'name': 'Capability', 'type': 'Element', 'required': True}) class-attribute instance-attribute
service = field(default=None, metadata={'name': 'Service', 'type': 'Element', 'required': True}) class-attribute instance-attribute
update_sequence = field(default=None, metadata={'name': 'updateSequence', 'type': 'Attribute'}) class-attribute instance-attribute
version = field(init=False, default='1.3.0', metadata={'type': 'Attribute'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/capabilities_1_3_0.py
1679
1680
1681
class Meta:
    name = "WMS_Capabilities"
    namespace = "http://www.opengis.net/wms"
name = 'WMS_Capabilities' class-attribute instance-attribute
namespace = 'http://www.opengis.net/wms' class-attribute instance-attribute
__init__(service=None, capability=None, update_sequence=None)
__NAMESPACE__ = 'http://www.w3.org/1999/xlink' module-attribute
ActuateType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
10
11
12
13
14
class ActuateType(Enum):
    ON_LOAD = "onLoad"
    ON_REQUEST = "onRequest"
    OTHER = "other"
    NONE = "none"
NONE = 'none' class-attribute instance-attribute
ON_LOAD = 'onLoad' class-attribute instance-attribute
ON_REQUEST = 'onRequest' class-attribute instance-attribute
OTHER = 'other' class-attribute instance-attribute
Arc dataclass

Bases: ArcType

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
361
362
363
364
365
@dataclass
class Arc(ArcType):
    class Meta:
        name = "arc"
        namespace = "http://www.w3.org/1999/xlink"
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
363
364
365
class Meta:
    name = "arc"
    namespace = "http://www.w3.org/1999/xlink"
name = 'arc' class-attribute instance-attribute
namespace = 'http://www.w3.org/1999/xlink' class-attribute instance-attribute
__init__(arcrole=None, title=None, show=None, actuate=None, from_value=None, to=None)
ArcType dataclass

:ivar type_value: :ivar arcrole: :ivar title: :ivar show: :ivar actuate: :ivar from_value: :ivar to: from and to have default behavior when values are missing

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
@dataclass
class ArcType:
    """
    :ivar type_value:
    :ivar arcrole:
    :ivar title:
    :ivar show:
    :ivar actuate:
    :ivar from_value:
    :ivar to: from and to have default behavior when values are missing
    """

    class Meta:
        name = "arcType"

    type_value: TypeType = field(
        init=False,
        default=TypeType.ARC,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    arcrole: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    show: Optional[ShowType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    actuate: Optional[ActuateType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    from_value: Optional[str] = field(
        default=None,
        metadata={
            "name": "from",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    to: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
actuate = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
arcrole = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
from_value = field(default=None, metadata={'name': 'from', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
show = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
to = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.ARC, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
46
47
class Meta:
    name = "arcType"
name = 'arcType' class-attribute instance-attribute
__init__(arcrole=None, title=None, show=None, actuate=None, from_value=None, to=None)
Extended dataclass

Intended for use as the type of user-declared elements to make them extended links.

Note that the elements referenced in the content model are all abstract. The intention is that by simply declaring elements with these as their substitutionGroup, all the right things will happen.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
@dataclass
class Extended:
    """Intended for use as the type of user-declared elements to make them extended
    links.

    Note that the elements referenced in the content model are all
    abstract. The intention is that by simply declaring elements with
    these as their substitutionGroup, all the right things will happen.
    """

    class Meta:
        name = "extended"

    type_value: TypeType = field(
        init=False,
        default=TypeType.EXTENDED,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.EXTENDED, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
115
116
class Meta:
    name = "extended"
name = 'extended' class-attribute instance-attribute
__init__(role=None, title=None)
Locator dataclass

Bases: LocatorType

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
368
369
370
371
372
@dataclass
class Locator(LocatorType):
    class Meta:
        name = "locator"
        namespace = "http://www.w3.org/1999/xlink"
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
370
371
372
class Meta:
    name = "locator"
    namespace = "http://www.w3.org/1999/xlink"
name = 'locator' class-attribute instance-attribute
namespace = 'http://www.w3.org/1999/xlink' class-attribute instance-attribute
__init__(href=None, role=None, title=None, label=None)
LocatorType dataclass

:ivar type_value: :ivar href: :ivar role: :ivar title: :ivar label: label is not required, but locators have no particular XLink function if they are not labeled.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
@dataclass
class LocatorType:
    """
    :ivar type_value:
    :ivar href:
    :ivar role:
    :ivar title:
    :ivar label: label is not required, but locators have no particular
        XLink function if they are not labeled.
    """

    class Meta:
        name = "locatorType"

    type_value: TypeType = field(
        init=False,
        default=TypeType.LOCATOR,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    href: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    label: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
href = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
label = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.LOCATOR, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
156
157
class Meta:
    name = "locatorType"
name = 'locatorType' class-attribute instance-attribute
__init__(href=None, role=None, title=None, label=None)
Resource dataclass

Bases: ResourceType

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
375
376
377
378
379
@dataclass
class Resource(ResourceType):
    class Meta:
        name = "resource"
        namespace = "http://www.w3.org/1999/xlink"
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
377
378
379
class Meta:
    name = "resource"
    namespace = "http://www.w3.org/1999/xlink"
name = 'resource' class-attribute instance-attribute
namespace = 'http://www.w3.org/1999/xlink' class-attribute instance-attribute
__init__(role=None, title=None, label=None, content=list())
ResourceType dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
@dataclass
class ResourceType:
    class Meta:
        name = "resourceType"

    type_value: TypeType = field(
        init=False,
        default=TypeType.RESOURCE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    label: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    content: List[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
            "mixed": True,
        },
    )
content = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##any', 'mixed': True}) class-attribute instance-attribute
label = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.RESOURCE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
203
204
class Meta:
    name = "resourceType"
name = 'resourceType' class-attribute instance-attribute
__init__(role=None, title=None, label=None, content=list())
ShowType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
17
18
19
20
21
22
class ShowType(Enum):
    NEW = "new"
    REPLACE = "replace"
    EMBED = "embed"
    OTHER = "other"
    NONE = "none"
EMBED = 'embed' class-attribute instance-attribute
NEW = 'new' class-attribute instance-attribute
NONE = 'none' class-attribute instance-attribute
OTHER = 'other' class-attribute instance-attribute
REPLACE = 'replace' class-attribute instance-attribute
Simple dataclass

Intended for use as the type of user-declared elements to make them simple links.

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
@dataclass
class Simple:
    """
    Intended for use as the type of user-declared elements to make them simple
    links.
    """

    class Meta:
        name = "simple"

    type_value: TypeType = field(
        init=False,
        default=TypeType.SIMPLE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    href: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    role: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    arcrole: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "min_length": 1,
        },
    )
    title: Optional[str] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    show: Optional[ShowType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    actuate: Optional[ActuateType] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
        },
    )
    content: List[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
            "mixed": True,
        },
    )
actuate = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
arcrole = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
content = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##any', 'mixed': True}) class-attribute instance-attribute
href = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
role = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'min_length': 1}) class-attribute instance-attribute
show = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
title = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.SIMPLE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink'}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
255
256
class Meta:
    name = "simple"
name = 'simple' class-attribute instance-attribute
__init__(href=None, role=None, arcrole=None, title=None, show=None, actuate=None, content=list())
Title dataclass

Bases: TitleEltType

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
382
383
384
385
386
@dataclass
class Title(TitleEltType):
    class Meta:
        name = "title"
        namespace = "http://www.w3.org/1999/xlink"
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
384
385
386
class Meta:
    name = "title"
    namespace = "http://www.w3.org/1999/xlink"
name = 'title' class-attribute instance-attribute
namespace = 'http://www.w3.org/1999/xlink' class-attribute instance-attribute
__init__(lang=None, content=list())
TitleEltType dataclass

:ivar type_value: :ivar lang: xml:lang is not required, but provides much of the motivation for title elements in addition to attributes, and so is provided here for convenience. :ivar content:

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
@dataclass
class TitleEltType:
    """
    :ivar type_value:
    :ivar lang: xml:lang is not required, but provides much of the
        motivation for title elements in addition to attributes, and so
        is provided here for convenience.
    :ivar content:
    """

    class Meta:
        name = "titleEltType"

    type_value: TypeType = field(
        init=False,
        default=TypeType.TITLE,
        metadata={
            "name": "type",
            "type": "Attribute",
            "namespace": "http://www.w3.org/1999/xlink",
            "required": True,
        },
    )
    lang: Optional[Union[str, LangValue]] = field(
        default=None,
        metadata={
            "type": "Attribute",
            "namespace": "http://www.w3.org/XML/1998/namespace",
        },
    )
    content: List[object] = field(
        default_factory=list,
        metadata={
            "type": "Wildcard",
            "namespace": "##any",
            "mixed": True,
        },
    )
content = field(default_factory=list, metadata={'type': 'Wildcard', 'namespace': '##any', 'mixed': True}) class-attribute instance-attribute
lang = field(default=None, metadata={'type': 'Attribute', 'namespace': 'http://www.w3.org/XML/1998/namespace'}) class-attribute instance-attribute
type_value = field(init=False, default=TypeType.TITLE, metadata={'name': 'type', 'type': 'Attribute', 'namespace': 'http://www.w3.org/1999/xlink', 'required': True}) class-attribute instance-attribute
Meta
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
331
332
class Meta:
    name = "titleEltType"
name = 'titleEltType' class-attribute instance-attribute
__init__(lang=None, content=list())
TypeType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xlink.py
25
26
27
28
29
30
31
class TypeType(Enum):
    SIMPLE = "simple"
    EXTENDED = "extended"
    TITLE = "title"
    RESOURCE = "resource"
    LOCATOR = "locator"
    ARC = "arc"
ARC = 'arc' class-attribute instance-attribute
EXTENDED = 'extended' class-attribute instance-attribute
LOCATOR = 'locator' class-attribute instance-attribute
RESOURCE = 'resource' class-attribute instance-attribute
SIMPLE = 'simple' class-attribute instance-attribute
TITLE = 'title' class-attribute instance-attribute
xml
__NAMESPACE__ = 'http://www.w3.org/XML/1998/namespace' module-attribute
LangValue

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/capabilities/xml.py
6
7
class LangValue(Enum):
    VALUE = ""
VALUE = '' class-attribute instance-attribute
requests
AbstractGetMapRequest dataclass

Bases: AbstractRequest

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/requests.py
29
30
31
32
33
34
35
36
37
38
39
@dataclass
class AbstractGetMapRequest(AbstractRequest):
    layers: list[str]
    bbox: list[float]
    crs: str
    width: int
    height: int
    format: str
    transparent: Optional[bool] = True
    styles: Optional[str] = ""
    dpi: Optional[int] = None
bbox instance-attribute
crs instance-attribute
dpi = None class-attribute instance-attribute
format instance-attribute
height instance-attribute
layers instance-attribute
styles = '' class-attribute instance-attribute
transparent = True class-attribute instance-attribute
width instance-attribute
__init__(service, request, version, layers, bbox, crs, width, height, format, transparent=True, styles='', dpi=None)
AbstractRequest dataclass
Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/requests.py
22
23
24
25
26
@dataclass
class AbstractRequest:
    service: "ServiceType"
    request: "RequestType"
    version: "Version"
request instance-attribute
service instance-attribute
version instance-attribute
__init__(service, request, version)
QslGetMapRequest dataclass

Bases: AbstractGetMapRequest

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/requests.py
42
43
44
45
@dataclass
class QslGetMapRequest(AbstractGetMapRequest):
    map_resolution: Optional[int] = None
    format_options: Optional[str] = None
format_options = None class-attribute instance-attribute
map_resolution = None class-attribute instance-attribute
__init__(service, request, version, layers, bbox, crs, width, height, format, transparent=True, styles='', dpi=None, map_resolution=None, format_options=None)
RequestType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/requests.py
10
11
12
13
class RequestType(Enum):
    get_map = "GETMAP"
    get_feature_info = "GETFEATUREINFO"
    get_legend = "GETLEGEND"
get_feature_info = 'GETFEATUREINFO' class-attribute instance-attribute
get_legend = 'GETLEGEND' class-attribute instance-attribute
get_map = 'GETMAP' class-attribute instance-attribute
ServiceType

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/requests.py
6
7
class ServiceType(Enum):
    wms = "WMS"
wms = 'WMS' class-attribute instance-attribute
Version

Bases: Enum

Source code in src/georama/maps/interfaces/ogc/wms_1_3_0/requests.py
16
17
18
19
class Version(Enum):
    v_1_0_0 = "1.0.0"
    v_1_1_0 = "1.1.0"
    v_1_3_0 = "1.3.0"
v_1_0_0 = '1.0.0' class-attribute instance-attribute
v_1_1_0 = '1.1.0' class-attribute instance-attribute
v_1_3_0 = '1.3.0' class-attribute instance-attribute

qsl

log = logging.getLogger(__name__) module-attribute

JobResult

Source code in src/georama/maps/interfaces/qsl/__init__.py
123
124
125
126
class JobResult:
    def __init__(self, data, content_type: str) -> None:
        self.data = data
        self.content_type = content_type
content_type = content_type instance-attribute
data = data instance-attribute
__init__(data, content_type)
Source code in src/georama/maps/interfaces/qsl/__init__.py
124
125
126
def __init__(self, data, content_type: str) -> None:
    self.data = data
    self.content_type = content_type

QslFeatureInfoJob dataclass

Bases: QslMapJob

Get feature info

Source code in src/georama/maps/interfaces/qsl/__init__.py
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
@dataclass(kw_only=True)
class QslFeatureInfoJob(QslMapJob):
    """Get feature info"""

    X: str = field(default=None, metadata={"name": "X", "type": "Element", "required": True})
    Y: str = field(default=None, metadata={"name": "Y", "type": "Element", "required": True})
    I: str = field(default=None, metadata={"name": "I", "type": "Element", "required": True})
    J: str = field(default=None, metadata={"name": "J", "type": "Element", "required": True})
    INFO_FORMAT: str = field(
        metadata={"name": "INFO_FORMAT", "type": "Element", "required": True}
    )

    # mime type, only application/json supported
    QUERY_LAYERS: str = field(
        metadata={"name": "QUERY_LAYERS", "type": "Element", "required": True}
    )

    def __post_init__(self):
        x = int(self.I or self.X)
        y = int(self.J or self.Y)
        if x is None or y is None:
            raise KeyError(
                "Parameter `I` or `X` and `J` or `Y`  are mandatory for GetFeatureInfo"
            )
        if self.QUERY_LAYERS is None:
            raise KeyError("QUERY_LAYERS is mandatory in this request")

    @property
    def x(self) -> int:
        return int(self.I or self.X)

    @property
    def y(self) -> int:
        return int(self.J or self.Y)

    @property
    def query_layers(self):
        return self.QUERY_LAYERS.split(",")
I = field(default=None, metadata={'name': 'I', 'type': 'Element', 'required': True}) class-attribute instance-attribute
INFO_FORMAT = field(metadata={'name': 'INFO_FORMAT', 'type': 'Element', 'required': True}) class-attribute instance-attribute
J = field(default=None, metadata={'name': 'J', 'type': 'Element', 'required': True}) class-attribute instance-attribute
QUERY_LAYERS = field(metadata={'name': 'QUERY_LAYERS', 'type': 'Element', 'required': True}) class-attribute instance-attribute
X = field(default=None, metadata={'name': 'X', 'type': 'Element', 'required': True}) class-attribute instance-attribute
Y = field(default=None, metadata={'name': 'Y', 'type': 'Element', 'required': True}) class-attribute instance-attribute
query_layers property
x property
y property
__init__(BBOX, CRS, WIDTH, HEIGHT, DPI=None, FORMAT_OPTIONS=None, STYLES=list(), *, X=None, Y=None, I=None, J=None, INFO_FORMAT, QUERY_LAYERS)
__post_init__()
Source code in src/georama/maps/interfaces/qsl/__init__.py
83
84
85
86
87
88
89
90
91
def __post_init__(self):
    x = int(self.I or self.X)
    y = int(self.J or self.Y)
    if x is None or y is None:
        raise KeyError(
            "Parameter `I` or `X` and `J` or `Y`  are mandatory for GetFeatureInfo"
        )
    if self.QUERY_LAYERS is None:
        raise KeyError("QUERY_LAYERS is mandatory in this request")

QslLegendJob dataclass

Bases: QslMapJob

Render legend

Source code in src/georama/maps/interfaces/qsl/__init__.py
106
107
108
@dataclass
class QslLegendJob(QslMapJob):
    """Render legend"""
__init__(BBOX, CRS, WIDTH, HEIGHT, DPI=None, FORMAT_OPTIONS=None, STYLES=list())

QslMapJob dataclass

Base class with common information for other map jobs

Source code in src/georama/maps/interfaces/qsl/__init__.py
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
@dataclass
class QslMapJob:
    """Base class with common information for other map jobs"""

    BBOX: str = field(metadata={"name": "BBOX", "type": "Element", "required": True})
    CRS: str = field(metadata={"name": "CRS", "type": "Element", "required": True})
    WIDTH: str = field(metadata={"name": "WIDTH", "type": "Element", "required": True})
    HEIGHT: str = field(metadata={"name": "HEIGHT", "type": "Element", "required": True})
    # optional parameters
    DPI: str = field(
        default=None, metadata={"name": "DPI", "type": "Element", "required": False}
    )
    FORMAT_OPTIONS: str = field(
        default=None, metadata={"name": "FORMAT_OPTIONS", "type": "Element", "required": False}
    )
    STYLES: str = field(
        default_factory=list, metadata={"name": "STYLES", "type": "Element", "required": False}
    )

    @property
    def dpi(self) -> int | None:
        if self.DPI is not None:
            return int(self.DPI)
        elif self.FORMAT_OPTIONS is not None:
            return int(self.FORMAT_OPTIONS.split(":")[-1])
        else:
            return None

    @property
    def bbox(self) -> List[str]:
        return self.BBOX.split(",")

    @classmethod
    def from_overloaded_dict(cls, params: dict):
        return cls(
            **{k: v for k, v in params.items() if k in inspect.signature(cls).parameters}
        )
BBOX = field(metadata={'name': 'BBOX', 'type': 'Element', 'required': True}) class-attribute instance-attribute
CRS = field(metadata={'name': 'CRS', 'type': 'Element', 'required': True}) class-attribute instance-attribute
DPI = field(default=None, metadata={'name': 'DPI', 'type': 'Element', 'required': False}) class-attribute instance-attribute
FORMAT_OPTIONS = field(default=None, metadata={'name': 'FORMAT_OPTIONS', 'type': 'Element', 'required': False}) class-attribute instance-attribute
HEIGHT = field(metadata={'name': 'HEIGHT', 'type': 'Element', 'required': True}) class-attribute instance-attribute
STYLES = field(default_factory=list, metadata={'name': 'STYLES', 'type': 'Element', 'required': False}) class-attribute instance-attribute
WIDTH = field(metadata={'name': 'WIDTH', 'type': 'Element', 'required': True}) class-attribute instance-attribute
bbox property
dpi property
__init__(BBOX, CRS, WIDTH, HEIGHT, DPI=None, FORMAT_OPTIONS=None, STYLES=list())
from_overloaded_dict(params) classmethod
Source code in src/georama/maps/interfaces/qsl/__init__.py
43
44
45
46
47
@classmethod
def from_overloaded_dict(cls, params: dict):
    return cls(
        **{k: v for k, v in params.items() if k in inspect.signature(cls).parameters}
    )

QslRenderJob dataclass

Bases: QslMapJob

A job to be rendered

Source code in src/georama/maps/interfaces/qsl/__init__.py
50
51
52
53
54
55
56
57
58
59
60
61
62
63
@dataclass(kw_only=True)
class QslRenderJob(QslMapJob):
    """A job to be rendered"""

    LAYERS: str = field(metadata={"name": "LAYERS", "type": "Element", "required": True})

    # mime type of the requested image
    FORMAT: str = field(
        default="image/png", metadata={"name": "FORMAT", "type": "Element", "required": True}
    )

    @property
    def layers(self) -> List[str]:
        return self.LAYERS.split(",")
FORMAT = field(default='image/png', metadata={'name': 'FORMAT', 'type': 'Element', 'required': True}) class-attribute instance-attribute
LAYERS = field(metadata={'name': 'LAYERS', 'type': 'Element', 'required': True}) class-attribute instance-attribute
layers property
__init__(BBOX, CRS, WIDTH, HEIGHT, DPI=None, FORMAT_OPTIONS=None, STYLES=list(), *, LAYERS, FORMAT='image/png')

job_from_json(definition)

Source code in src/georama/maps/interfaces/qsl/__init__.py
111
112
113
114
115
116
117
118
119
120
def job_from_json(definition: dict):
    print(repr(definition))
    job_type = definition["type"]
    assert job_type
    if job_type == "QslRenderJob":
        return QslRenderJob(**definition["params"])
    if job_type == "QslFeatureInfoJob":
        return QslFeatureInfoJob(**definition["params"])
    else:
        raise RuntimeError(f"Job type {job_type} not supported")

maps_config

Config

Source code in src/georama/maps/maps_config.py
  7
  8
  9
 10
 11
 12
 13
 14
 15
 16
 17
 18
 19
 20
 21
 22
 23
 24
 25
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
class Config:
    @property
    def redis_url(self):
        return os.environ.get("QSL_REDIS_URL", "redis://localhost:1234")

    @property
    def default_dpi(self) -> int:
        return 96

    @property
    def default_format(self) -> str:
        return "image/png"

    @property
    def job_timeout(self) -> float:
        """
        Timeout in milliseconds
        """
        return float(os.environ.get("JOB_TIMEOUT", 1000))

    def wms_1_3_0_service_config(self, url: str) -> dict:
        service_config = {
            "Name": ServiceName.WMS.value,
            "Title": {"value": "QGIS Server light"},
            "Abstract": {"value": "this is the new approach"},
            "KeywordList": {
                "Keyword": [
                    {"value": "fast", "vocabulary": "ISO"},
                    {"value": "infoMapAccessService", "vocabulary": "ISO"},
                ]
            },
            "ContactInformation": {
                "ContactPersonPrimary": {
                    "ContactPerson": {"value": "Clemens Rudert"},
                    "ContactOrganization": {"value": "OPENGIS.ch"},
                },
                "ContactPosition": {},
                "ContactAddress": {
                    "Address": {"value": "Via Geinas 2"},
                    "City": {"value": "Laax"},
                    "StateOrProvince": {"value": "Canton Graubünden"},
                    "PostCode": {"value": "7031"},
                    "Country": {"value": "Switzerland"},
                },
                "ContactElectronicMailAddress": {"value": "sales@opengis.ch"},
            },
            "OnlineResource": {"type": TypeType.SIMPLE.value, "href": url},
            "Fees": {"value": "its for free"},
            "AccessConstraints": {"value": "None"},
        }
        return service_config

    def wms_1_3_0_capability_config(self, url: str) -> dict:
        capability_config = {
            "Request": {
                "GetCapabilities": {
                    "Format": [{"value": "text/xml"}, {"value": "application/json"}],
                    "DCPType": [
                        {
                            "HTTP": {
                                "Get": {
                                    "OnlineResource": {
                                        "type": TypeType.SIMPLE.value,
                                        "href": url,
                                    }
                                }
                            }
                        }
                    ],
                },
                "GetMap": {
                    "Format": [{"value": self.default_format}],
                    "DCPType": [
                        {
                            "HTTP": {
                                "Get": {
                                    "OnlineResource": {
                                        "type": TypeType.SIMPLE.value,
                                        "href": url,
                                    }
                                }
                            }
                        }
                    ],
                },
            },
            "Exception": {"Format": [{"value": "text/xml"}]},
            "Layer": {
                "queryable": 0,
                "opaque": 0,
                "noSubsets": 0,
                "cascaded": 0,
                "Name": "qgis_server_light",
                "Title": {"value": "QGIS Server light"},
                "Abstract": {"value": "The lightning fast access to your raster data"},
                "KeywordList": {
                    "Keyword": [
                        {"value": "fast", "vocabulary": "ISO"},
                        {"value": "infoMapAccessService", "vocabulary": "ISO"},
                    ]
                },
                "CRS": [{"value": "EPSG:2056"}, {"value": "CRS:84"}],
                "EX_GeographicBoundingBox": {
                    "westBoundLongitude": 180.0,
                    "eastBoundLongitude": -180.0,
                    "southBoundLatitude": -90.0,
                    "northBoundLatitude": 90.0,
                },
                "BoundingBox": [
                    {"CRS": "EPSG:2056", "minx": 1.0, "miny": 1.0, "maxx": 1.0, "maxy": 1.0}
                ],
                "Style": [{"Title": {"value": "Default"}, "Name": {"value": "default"}}],
            },
        }
        return capability_config

    def wfs_2_0_0_capabilities_config(self, url: str) -> dict:
        version = "2.0.0"
        wfs_capabilities = {
            "FeatureTypeList": {"FeatureType": []},
            "Filter_Capabilities": {
                "Conformance": {
                    "Constraint": [
                        {
                            "DefaultValue": {"value": "TRUE"},
                            "name": "ImplementsQuery",
                        },
                        {
                            "DefaultValue": {"value": "TRUE"},
                            "name": "ImplementsAdHocQuery",
                        },
                        {
                            "DefaultValue": {"value": "FALSE"},
                            "name": "ImplementsFunctions",
                        },
                        {
                            "DefaultValue": {"value": "TRUE"},
                            "name": "ImplementsResourceId",
                        },
                        {
                            "DefaultValue": {"value": "TRUE"},
                            "name": "ImplementsMinStandardFilter",
                        },
                        {
                            "DefaultValue": {"value": "TRUE"},
                            "name": "ImplementsStandardFilter",
                        },
                        {
                            "DefaultValue": {"value": "TRUE"},
                            "name": "ImplementsMinSpatialFilter",
                        },
                        {
                            "DefaultValue": {"value": "FALSE"},
                            "name": "ImplementsSpatialFilter",
                        },
                        {
                            "DefaultValue": {"value": "TRUE"},
                            "name": "ImplementsMinTemporalFilter",
                        },
                        {
                            "DefaultValue": {"value": "FALSE"},
                            "name": "ImplementsTemporalFilter",
                        },
                        {
                            "DefaultValue": {"value": "FALSE"},
                            "name": "ImplementsVersionNav",
                        },
                        {
                            "DefaultValue": {"value": "TRUE"},
                            "name": "ImplementsSorting",
                        },
                        {
                            "DefaultValue": {"value": "FALSE"},
                            "name": "ImplementsExtendedOperators",
                        },
                        {
                            "DefaultValue": {"value": "TRUE"},
                            "name": "ImplementsMinimumXPath",
                        },
                        {
                            "DefaultValue": {"value": "FALSE"},
                            "name": "ImplementsSchemaElementFunc",
                        },
                    ]
                },
                "Id_Capabilities": {"ResourceIdentifier": [{"name": "fes:ResourceId"}]},
                "Scalar_Capabilities": {
                    "ComparisonOperators": {
                        "ComparisonOperator": [
                            {"name": "PropertyIsEqualTo"},
                            {"name": "PropertyIsNotEqualTo"},
                            {"name": "PropertyIsLessThan"},
                            {"name": "PropertyIsGreaterThan"},
                            {"name": "PropertyIsLessThanOrEqualTo"},
                            {"name": "PropertyIsGreaterThanOrEqualTo"},
                            {"name": "PropertyIsLike"},
                            {"name": "PropertyIsBetween"},
                        ]
                    }
                },
                "Spatial_Capabilities": {
                    "GeometryOperands": {
                        "GeometryOperand": [
                            {"name": "gml:Point"},
                            {"name": "gml:MultiPoint"},
                            {"name": "gml:LineString"},
                            {"name": "gml:MultiLineString"},
                            {"name": "gml:Curve"},
                            {"name": "gml:MultiCurve"},
                            {"name": "gml:Polygon"},
                            {"name": "gml:MultiPolygon"},
                            {"name": "gml:Surface"},
                            {"name": "gml:MultiSurface"},
                            {"name": "gml:Box"},
                            {"name": "gml:Envelope"},
                        ]
                    },
                    "SpatialOperators": {
                        "SpatialOperator": [
                            {
                                "GeometryOperands": {
                                    "GeometryOperand": [
                                        {"name": "Equals"},
                                        {"name": "Disjoint"},
                                        {"name": "Touches"},
                                        {"name": "Within"},
                                        {"name": "Overlaps"},
                                        {"name": "Crosses"},
                                        {"name": "Intersects"},
                                        {"name": "Contains"},
                                        {"name": "DWithin"},
                                        {"name": "Beyond"},
                                        {"name": "BBOX"},
                                    ]
                                }
                            }
                        ]
                    },
                },
                "Temporal_Capabilities": {
                    "TemporalOperands": {
                        "TemporalOperand": [
                            {"name": "gml:TimePeriod"},
                            {"name": "gml:TimeInstant"},
                        ]
                    },
                    "TemporalOperators": {"TemporalOperator": [{"name": "During"}]},
                },
            },
            "OperationsMetadata": {
                "Constraint": [
                    {
                        "DefaultValue": {"value": "TRUE"},
                        "name": "ImplementsBasicWFS",
                    },
                    {
                        "DefaultValue": {"value": "FALSE"},
                        "name": "ImplementsTransactionalWFS",
                    },
                    {
                        "DefaultValue": {"value": "FALSE"},
                        "name": "ImplementsLockingWFS",
                    },
                    {
                        "DefaultValue": {"value": "FALSE"},
                        "name": "KVPEncoding",
                    },
                    {
                        "DefaultValue": {"value": "TRUE"},
                        "name": "XMLEncoding",
                    },
                    {
                        "DefaultValue": {"value": "FALSE"},
                        "name": "SOAPEncoding",
                    },
                    {
                        "DefaultValue": {"value": "FALSE"},
                        "name": "ImplementsInheritance",
                    },
                    {
                        "DefaultValue": {"value": "FALSE"},
                        "name": "ImplementsRemoteResolve",
                    },
                    {
                        "DefaultValue": {"value": "TRUE"},
                        "name": "ImplementsResultPaging",
                    },
                    {
                        "DefaultValue": {"value": "FALSE"},
                        "name": "ImplementsStandardJoins",
                    },
                    {
                        "DefaultValue": {"value": "FALSE"},
                        "name": "ImplementsSpatialJoins",
                    },
                    {
                        "DefaultValue": {"value": "FALSE"},
                        "name": "ImplementsTemporalJoins",
                    },
                    {
                        "DefaultValue": {"value": "FALSE"},
                        "name": "ImplementsFeatureVersioning",
                    },
                    {
                        "DefaultValue": {"value": "FALSE"},
                        "name": "ManageStoredQueries",
                    },
                    {
                        "DefaultValue": {"value": "FALSE"},
                        "name": "PagingIsTransactionSafe",
                    },
                    {
                        "AllowedValues": {
                            "Value": [
                                {"value": "wfs:Query"},
                                {"value": "wfs:StoredQuery"},
                            ],
                        },
                        "name": "QueryExpressions",
                    },
                ],
                "Operation": [
                    {
                        "DCP": [
                            {
                                "HTTP": {
                                    "Get": [
                                        {
                                            "href": url,
                                            "type": "simple",
                                        }
                                    ],
                                    "Post": [
                                        {
                                            "href": url,
                                            "type": "simple",
                                        }
                                    ],
                                }
                            }
                        ],
                        "Parameter": [
                            {
                                "AllowedValues": {
                                    "Value": [{"value": version}],
                                },
                                "name": "AcceptVersions",
                            },
                            {
                                "AllowedValues": {
                                    "Value": [{"value": "text/xml"}],
                                },
                                "name": "AcceptFormats",
                            },
                            {
                                "AllowedValues": {
                                    "Value": [
                                        {"value": "ServiceIdentification"},
                                        {"value": "ServiceProvider"},
                                        {"value": "OperationsMetadata"},
                                        {"value": "FeatureTypeList"},
                                        {"value": "Filter_Capabilities"},
                                    ],
                                },
                                "name": "Sections",
                            },
                        ],
                        "name": "GetCapabilities",
                    },
                    {
                        "DCP": [
                            {
                                "HTTP": {
                                    "Get": [
                                        {
                                            "href": url,
                                            "type": "simple",
                                        }
                                    ],
                                    "Post": [
                                        {
                                            "href": url,
                                            "type": "simple",
                                        }
                                    ],
                                }
                            }
                        ],
                        "Parameter": [
                            {
                                "AllowedValues": {
                                    "Value": [
                                        {"value": "application/gml+xml; " "version=3.2"},
                                        {"value": "text/xml; " "subtype=gml/3.2.1"},
                                        {"value": "text/xml; " "subtype=gml/3.1.1"},
                                        {"value": "text/xml; " "subtype=gml/2.1.2"},
                                    ],
                                },
                                "name": "outputFormat",
                            }
                        ],
                        "name": "DescribeFeatureType",
                    },
                    {
                        "DCP": [
                            {
                                "HTTP": {
                                    "Get": [
                                        {
                                            "href": url,
                                            "type": "simple",
                                        }
                                    ],
                                    "Post": [
                                        {
                                            "href": url,
                                            "type": "simple",
                                        }
                                    ],
                                }
                            }
                        ],
                        "Parameter": [
                            {
                                "AllowedValues": {
                                    "Value": [
                                        {"value": "application/gml+xml; " "version=3.2"},
                                        {"value": "text/xml; " "subtype=gml/3.2.1"},
                                        {"value": "text/xml; " "subtype=gml/3.1.1"},
                                        {"value": "text/xml; " "subtype=gml/2.1.2"},
                                    ],
                                },
                                "name": "outputFormat",
                            }
                        ],
                        "name": "GetFeature",
                    },
                    {
                        "DCP": [
                            {
                                "HTTP": {
                                    "Get": [
                                        {
                                            "href": url,
                                            "type": "simple",
                                        }
                                    ],
                                    "Post": [
                                        {
                                            "href": url,
                                            "type": "simple",
                                        }
                                    ],
                                }
                            }
                        ],
                        "Parameter": [
                            {
                                "AllowedValues": {
                                    "Value": [
                                        {"value": "application/gml+xml; " "version=3.2"},
                                        {"value": "text/xml; " "subtype=gml/3.2.1"},
                                        {"value": "text/xml; " "subtype=gml/3.1.1"},
                                        {"value": "text/xml; " "subtype=gml/2.1.2"},
                                    ],
                                },
                                "name": "outputFormat",
                            }
                        ],
                        "name": "GetPropertyValue",
                    },
                ],
                "Parameter": [
                    {
                        "AllowedValues": {"Value": [{"value": version}]},
                        "name": "version",
                    }
                ],
            },
            "ServiceIdentification": {
                "AccessConstraints": [{"value": "None"}],
                "Fees": {"value": "None"},
                "ServiceType": {"codeSpace": "OGC", "value": "WFS"},
                "ServiceTypeVersion": [version],
                "Title": [{"value": "Georama WFS"}],
            },
            "ServiceProvider": {
                "ProviderName": "OPENGIS.ch",
                "ProviderSite": {
                    "href": "https://opengis.ch",
                    "type": "simple",
                },
                "ServiceContact": {
                    "ContactInfo": {
                        "Address": {
                            "AdministrativeArea": "Canton Graubünden",
                            "City": "Laax",
                            "Country": "Switzerland",
                            "DeliveryPoint": ["OPENGIS.ch GmbH", "Via Geinas 2"],
                            "ElectronicMailAddress": ["sales@opengis.ch"],
                            "PostalCode": "7031",
                        },
                        "HoursOfService": "09:00 - 16:00",
                        "OnlineResource": {
                            "href": "https://opengis.ch",
                            "type": "simple",
                        },
                    },
                    "IndividualName": {"value": "Rudert, Clemens"},
                    "PositionName": {"value": "DEV"},
                },
            },
            "version": version,
        }
        return wfs_capabilities

    def wfs_get_metadata_config(self, url: str) -> dict:
        metadata = {
            "language": {"LocalisedCharacterString": {"value": "en-US"}},
            "hierarchyLevel": [
                {
                    "MD_ScopeCode": {
                        "value": "dataset",
                        "codeList": "http://www.isotc211.org/2005/resources/Codelist/gmxCodelists.xml#MD_ScopeCode",
                        "codeListValue": "dataset",
                        "codeSpace": "ISOTC211/19115",
                    }
                }
            ],
            "contact": [
                {
                    "CI_ResponsibleParty": {
                        "id": "contact",
                        "individualName": {
                            "LocalisedCharacterString": {
                                "value": "Fachstelle für Geoinformation"
                            }
                        },
                        "organisationName": {
                            "LocalisedCharacterString": {
                                "value": "Grundbuch- und Vermessungsamt"
                            }
                        },
                        "contactInfo": {
                            "CI_Contact": {
                                "phone": {
                                    "CI_Telephone": {
                                        "voice": [
                                            {
                                                "LocalisedCharacterString": {
                                                    "value": "+41612679953"
                                                }
                                            }
                                        ],
                                    },
                                    "type": "simple",
                                },
                                "address": {
                                    "CI_Address": {
                                        "deliveryPoint": [
                                            {
                                                "LocalisedCharacterString": {
                                                    "value": "Dufourstrasse 40/50, Postfach",
                                                }
                                            }
                                        ],
                                        "city": {
                                            "LocalisedCharacterString": {"value": "Basel"}
                                        },
                                        "administrativeArea": {
                                            "LocalisedCharacterString": {
                                                "value": "Basel-Stadt"
                                            }
                                        },
                                        "postalCode": {
                                            "LocalisedCharacterString": {"value": "4001"}
                                        },
                                        "country": {
                                            "LocalisedCharacterString": {"value": "Schweiz"}
                                        },
                                        "electronicMailAddress": [
                                            {
                                                "LocalisedCharacterString": {
                                                    "value": "geo@bs.ch"
                                                }
                                            }
                                        ],
                                    },
                                    "type": "simple",
                                },
                                "onlineResource": {
                                    "CI_OnlineResource": {
                                        "linkage": {"URL": {"value": "https://wms.geo.bs.ch"}}
                                    },
                                    "type": "simple",
                                },
                            },
                            "type": "simple",
                        },
                        "role": {
                            "CI_RoleCode": {
                                "value": "pointOfContact",
                                "codeList": "http://www.isotc211.org/2005/resources/Codelist/gmxCodelists.xml#CI_RoleCode",
                                "codeListValue": "pointOfContact",
                                "codeSpace": "ISOTC211/19115",
                            }
                        },
                    },
                    "type": "simple",
                }
            ],
            "dateStamp": {"nilReason": "missing"},
            "metadataStandardName": {
                "LocalisedCharacterString": {
                    "value": "ISO 19115:2003 - Geographic information - Metadata"
                }
            },
            "metadataStandardVersion": {
                "LocalisedCharacterString": {
                    "value": "ISO 19115:2003",
                }
            },
            "distributionInfo": {
                "MD_Distribution": {
                    "distributor": [
                        {
                            "MD_Distributor": {
                                "distributorContact": {
                                    "CI_ResponsibleParty": {
                                        "id": "contact",
                                        "individualName": {
                                            "LocalisedCharacterString": {
                                                "value": "Fachstelle für Geoinformation"
                                            }
                                        },
                                        "organisationName": {
                                            "LocalisedCharacterString": {
                                                "value": "Grundbuch- und Vermessungsamt"
                                            }
                                        },
                                        "contactInfo": {
                                            "CI_Contact": {
                                                "phone": {
                                                    "CI_Telephone": {
                                                        "voice": [
                                                            {
                                                                "LocalisedCharacterString": {
                                                                    "value": "+41612679953",
                                                                }
                                                            }
                                                        ],
                                                        "facsimile": [],
                                                    },
                                                    "type": "simple",
                                                },
                                                "address": {
                                                    "CI_Address": {
                                                        "deliveryPoint": [
                                                            {
                                                                "LocalisedCharacterString": {
                                                                    "value": "Dufourstrasse 40/50, Postfach",
                                                                }
                                                            }
                                                        ],
                                                        "city": {
                                                            "LocalisedCharacterString": {
                                                                "value": "Basel",
                                                            },
                                                        },
                                                        "administrativeArea": {
                                                            "LocalisedCharacterString": {
                                                                "value": "Basel-Stadt",
                                                            }
                                                        },
                                                        "postalCode": {
                                                            "LocalisedCharacterString": {
                                                                "value": "4001",
                                                            },
                                                        },
                                                        "country": {
                                                            "LocalisedCharacterString": {
                                                                "value": "Schweiz",
                                                            },
                                                        },
                                                        "electronicMailAddress": [
                                                            {
                                                                "LocalisedCharacterString": {
                                                                    "value": "geo@bs.ch",
                                                                },
                                                            }
                                                        ],
                                                    },
                                                    "type": "simple",
                                                },
                                                "onlineResource": {
                                                    "CI_OnlineResource": {
                                                        "linkage": {
                                                            "URL": {
                                                                "value": "https://wms.geo.bs.ch"
                                                            },
                                                        },
                                                    },
                                                    "type": "simple",
                                                },
                                            },
                                            "type": "simple",
                                        },
                                        "role": {
                                            "CI_RoleCode": {
                                                "value": "pointOfContact",
                                                "codeList": "http://www.isotc211.org/2005/resources/Codelist/gmxCodelists.xml#CI_RoleCode",
                                                "codeListValue": "pointOfContact",
                                                "codeSpace": "ISOTC211/19115",
                                            },
                                        },
                                    },
                                    "type": "simple",
                                },
                            },
                            "type": "simple",
                        }
                    ],
                    "transferOptions": [
                        {
                            "MD_DigitalTransferOptions": {
                                "unitsOfDistribution": {
                                    "LocalisedCharacterString": {
                                        "value": "KB",
                                    },
                                },
                            },
                            "type": "simple",
                        }
                    ],
                },
                "type": "simple",
            },
        }
        return metadata

default_dpi property

default_format property

job_timeout property

Timeout in milliseconds

redis_url property

wfs_2_0_0_capabilities_config(url)

Source code in src/georama/maps/maps_config.py
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
def wfs_2_0_0_capabilities_config(self, url: str) -> dict:
    version = "2.0.0"
    wfs_capabilities = {
        "FeatureTypeList": {"FeatureType": []},
        "Filter_Capabilities": {
            "Conformance": {
                "Constraint": [
                    {
                        "DefaultValue": {"value": "TRUE"},
                        "name": "ImplementsQuery",
                    },
                    {
                        "DefaultValue": {"value": "TRUE"},
                        "name": "ImplementsAdHocQuery",
                    },
                    {
                        "DefaultValue": {"value": "FALSE"},
                        "name": "ImplementsFunctions",
                    },
                    {
                        "DefaultValue": {"value": "TRUE"},
                        "name": "ImplementsResourceId",
                    },
                    {
                        "DefaultValue": {"value": "TRUE"},
                        "name": "ImplementsMinStandardFilter",
                    },
                    {
                        "DefaultValue": {"value": "TRUE"},
                        "name": "ImplementsStandardFilter",
                    },
                    {
                        "DefaultValue": {"value": "TRUE"},
                        "name": "ImplementsMinSpatialFilter",
                    },
                    {
                        "DefaultValue": {"value": "FALSE"},
                        "name": "ImplementsSpatialFilter",
                    },
                    {
                        "DefaultValue": {"value": "TRUE"},
                        "name": "ImplementsMinTemporalFilter",
                    },
                    {
                        "DefaultValue": {"value": "FALSE"},
                        "name": "ImplementsTemporalFilter",
                    },
                    {
                        "DefaultValue": {"value": "FALSE"},
                        "name": "ImplementsVersionNav",
                    },
                    {
                        "DefaultValue": {"value": "TRUE"},
                        "name": "ImplementsSorting",
                    },
                    {
                        "DefaultValue": {"value": "FALSE"},
                        "name": "ImplementsExtendedOperators",
                    },
                    {
                        "DefaultValue": {"value": "TRUE"},
                        "name": "ImplementsMinimumXPath",
                    },
                    {
                        "DefaultValue": {"value": "FALSE"},
                        "name": "ImplementsSchemaElementFunc",
                    },
                ]
            },
            "Id_Capabilities": {"ResourceIdentifier": [{"name": "fes:ResourceId"}]},
            "Scalar_Capabilities": {
                "ComparisonOperators": {
                    "ComparisonOperator": [
                        {"name": "PropertyIsEqualTo"},
                        {"name": "PropertyIsNotEqualTo"},
                        {"name": "PropertyIsLessThan"},
                        {"name": "PropertyIsGreaterThan"},
                        {"name": "PropertyIsLessThanOrEqualTo"},
                        {"name": "PropertyIsGreaterThanOrEqualTo"},
                        {"name": "PropertyIsLike"},
                        {"name": "PropertyIsBetween"},
                    ]
                }
            },
            "Spatial_Capabilities": {
                "GeometryOperands": {
                    "GeometryOperand": [
                        {"name": "gml:Point"},
                        {"name": "gml:MultiPoint"},
                        {"name": "gml:LineString"},
                        {"name": "gml:MultiLineString"},
                        {"name": "gml:Curve"},
                        {"name": "gml:MultiCurve"},
                        {"name": "gml:Polygon"},
                        {"name": "gml:MultiPolygon"},
                        {"name": "gml:Surface"},
                        {"name": "gml:MultiSurface"},
                        {"name": "gml:Box"},
                        {"name": "gml:Envelope"},
                    ]
                },
                "SpatialOperators": {
                    "SpatialOperator": [
                        {
                            "GeometryOperands": {
                                "GeometryOperand": [
                                    {"name": "Equals"},
                                    {"name": "Disjoint"},
                                    {"name": "Touches"},
                                    {"name": "Within"},
                                    {"name": "Overlaps"},
                                    {"name": "Crosses"},
                                    {"name": "Intersects"},
                                    {"name": "Contains"},
                                    {"name": "DWithin"},
                                    {"name": "Beyond"},
                                    {"name": "BBOX"},
                                ]
                            }
                        }
                    ]
                },
            },
            "Temporal_Capabilities": {
                "TemporalOperands": {
                    "TemporalOperand": [
                        {"name": "gml:TimePeriod"},
                        {"name": "gml:TimeInstant"},
                    ]
                },
                "TemporalOperators": {"TemporalOperator": [{"name": "During"}]},
            },
        },
        "OperationsMetadata": {
            "Constraint": [
                {
                    "DefaultValue": {"value": "TRUE"},
                    "name": "ImplementsBasicWFS",
                },
                {
                    "DefaultValue": {"value": "FALSE"},
                    "name": "ImplementsTransactionalWFS",
                },
                {
                    "DefaultValue": {"value": "FALSE"},
                    "name": "ImplementsLockingWFS",
                },
                {
                    "DefaultValue": {"value": "FALSE"},
                    "name": "KVPEncoding",
                },
                {
                    "DefaultValue": {"value": "TRUE"},
                    "name": "XMLEncoding",
                },
                {
                    "DefaultValue": {"value": "FALSE"},
                    "name": "SOAPEncoding",
                },
                {
                    "DefaultValue": {"value": "FALSE"},
                    "name": "ImplementsInheritance",
                },
                {
                    "DefaultValue": {"value": "FALSE"},
                    "name": "ImplementsRemoteResolve",
                },
                {
                    "DefaultValue": {"value": "TRUE"},
                    "name": "ImplementsResultPaging",
                },
                {
                    "DefaultValue": {"value": "FALSE"},
                    "name": "ImplementsStandardJoins",
                },
                {
                    "DefaultValue": {"value": "FALSE"},
                    "name": "ImplementsSpatialJoins",
                },
                {
                    "DefaultValue": {"value": "FALSE"},
                    "name": "ImplementsTemporalJoins",
                },
                {
                    "DefaultValue": {"value": "FALSE"},
                    "name": "ImplementsFeatureVersioning",
                },
                {
                    "DefaultValue": {"value": "FALSE"},
                    "name": "ManageStoredQueries",
                },
                {
                    "DefaultValue": {"value": "FALSE"},
                    "name": "PagingIsTransactionSafe",
                },
                {
                    "AllowedValues": {
                        "Value": [
                            {"value": "wfs:Query"},
                            {"value": "wfs:StoredQuery"},
                        ],
                    },
                    "name": "QueryExpressions",
                },
            ],
            "Operation": [
                {
                    "DCP": [
                        {
                            "HTTP": {
                                "Get": [
                                    {
                                        "href": url,
                                        "type": "simple",
                                    }
                                ],
                                "Post": [
                                    {
                                        "href": url,
                                        "type": "simple",
                                    }
                                ],
                            }
                        }
                    ],
                    "Parameter": [
                        {
                            "AllowedValues": {
                                "Value": [{"value": version}],
                            },
                            "name": "AcceptVersions",
                        },
                        {
                            "AllowedValues": {
                                "Value": [{"value": "text/xml"}],
                            },
                            "name": "AcceptFormats",
                        },
                        {
                            "AllowedValues": {
                                "Value": [
                                    {"value": "ServiceIdentification"},
                                    {"value": "ServiceProvider"},
                                    {"value": "OperationsMetadata"},
                                    {"value": "FeatureTypeList"},
                                    {"value": "Filter_Capabilities"},
                                ],
                            },
                            "name": "Sections",
                        },
                    ],
                    "name": "GetCapabilities",
                },
                {
                    "DCP": [
                        {
                            "HTTP": {
                                "Get": [
                                    {
                                        "href": url,
                                        "type": "simple",
                                    }
                                ],
                                "Post": [
                                    {
                                        "href": url,
                                        "type": "simple",
                                    }
                                ],
                            }
                        }
                    ],
                    "Parameter": [
                        {
                            "AllowedValues": {
                                "Value": [
                                    {"value": "application/gml+xml; " "version=3.2"},
                                    {"value": "text/xml; " "subtype=gml/3.2.1"},
                                    {"value": "text/xml; " "subtype=gml/3.1.1"},
                                    {"value": "text/xml; " "subtype=gml/2.1.2"},
                                ],
                            },
                            "name": "outputFormat",
                        }
                    ],
                    "name": "DescribeFeatureType",
                },
                {
                    "DCP": [
                        {
                            "HTTP": {
                                "Get": [
                                    {
                                        "href": url,
                                        "type": "simple",
                                    }
                                ],
                                "Post": [
                                    {
                                        "href": url,
                                        "type": "simple",
                                    }
                                ],
                            }
                        }
                    ],
                    "Parameter": [
                        {
                            "AllowedValues": {
                                "Value": [
                                    {"value": "application/gml+xml; " "version=3.2"},
                                    {"value": "text/xml; " "subtype=gml/3.2.1"},
                                    {"value": "text/xml; " "subtype=gml/3.1.1"},
                                    {"value": "text/xml; " "subtype=gml/2.1.2"},
                                ],
                            },
                            "name": "outputFormat",
                        }
                    ],
                    "name": "GetFeature",
                },
                {
                    "DCP": [
                        {
                            "HTTP": {
                                "Get": [
                                    {
                                        "href": url,
                                        "type": "simple",
                                    }
                                ],
                                "Post": [
                                    {
                                        "href": url,
                                        "type": "simple",
                                    }
                                ],
                            }
                        }
                    ],
                    "Parameter": [
                        {
                            "AllowedValues": {
                                "Value": [
                                    {"value": "application/gml+xml; " "version=3.2"},
                                    {"value": "text/xml; " "subtype=gml/3.2.1"},
                                    {"value": "text/xml; " "subtype=gml/3.1.1"},
                                    {"value": "text/xml; " "subtype=gml/2.1.2"},
                                ],
                            },
                            "name": "outputFormat",
                        }
                    ],
                    "name": "GetPropertyValue",
                },
            ],
            "Parameter": [
                {
                    "AllowedValues": {"Value": [{"value": version}]},
                    "name": "version",
                }
            ],
        },
        "ServiceIdentification": {
            "AccessConstraints": [{"value": "None"}],
            "Fees": {"value": "None"},
            "ServiceType": {"codeSpace": "OGC", "value": "WFS"},
            "ServiceTypeVersion": [version],
            "Title": [{"value": "Georama WFS"}],
        },
        "ServiceProvider": {
            "ProviderName": "OPENGIS.ch",
            "ProviderSite": {
                "href": "https://opengis.ch",
                "type": "simple",
            },
            "ServiceContact": {
                "ContactInfo": {
                    "Address": {
                        "AdministrativeArea": "Canton Graubünden",
                        "City": "Laax",
                        "Country": "Switzerland",
                        "DeliveryPoint": ["OPENGIS.ch GmbH", "Via Geinas 2"],
                        "ElectronicMailAddress": ["sales@opengis.ch"],
                        "PostalCode": "7031",
                    },
                    "HoursOfService": "09:00 - 16:00",
                    "OnlineResource": {
                        "href": "https://opengis.ch",
                        "type": "simple",
                    },
                },
                "IndividualName": {"value": "Rudert, Clemens"},
                "PositionName": {"value": "DEV"},
            },
        },
        "version": version,
    }
    return wfs_capabilities

wfs_get_metadata_config(url)

Source code in src/georama/maps/maps_config.py
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
def wfs_get_metadata_config(self, url: str) -> dict:
    metadata = {
        "language": {"LocalisedCharacterString": {"value": "en-US"}},
        "hierarchyLevel": [
            {
                "MD_ScopeCode": {
                    "value": "dataset",
                    "codeList": "http://www.isotc211.org/2005/resources/Codelist/gmxCodelists.xml#MD_ScopeCode",
                    "codeListValue": "dataset",
                    "codeSpace": "ISOTC211/19115",
                }
            }
        ],
        "contact": [
            {
                "CI_ResponsibleParty": {
                    "id": "contact",
                    "individualName": {
                        "LocalisedCharacterString": {
                            "value": "Fachstelle für Geoinformation"
                        }
                    },
                    "organisationName": {
                        "LocalisedCharacterString": {
                            "value": "Grundbuch- und Vermessungsamt"
                        }
                    },
                    "contactInfo": {
                        "CI_Contact": {
                            "phone": {
                                "CI_Telephone": {
                                    "voice": [
                                        {
                                            "LocalisedCharacterString": {
                                                "value": "+41612679953"
                                            }
                                        }
                                    ],
                                },
                                "type": "simple",
                            },
                            "address": {
                                "CI_Address": {
                                    "deliveryPoint": [
                                        {
                                            "LocalisedCharacterString": {
                                                "value": "Dufourstrasse 40/50, Postfach",
                                            }
                                        }
                                    ],
                                    "city": {
                                        "LocalisedCharacterString": {"value": "Basel"}
                                    },
                                    "administrativeArea": {
                                        "LocalisedCharacterString": {
                                            "value": "Basel-Stadt"
                                        }
                                    },
                                    "postalCode": {
                                        "LocalisedCharacterString": {"value": "4001"}
                                    },
                                    "country": {
                                        "LocalisedCharacterString": {"value": "Schweiz"}
                                    },
                                    "electronicMailAddress": [
                                        {
                                            "LocalisedCharacterString": {
                                                "value": "geo@bs.ch"
                                            }
                                        }
                                    ],
                                },
                                "type": "simple",
                            },
                            "onlineResource": {
                                "CI_OnlineResource": {
                                    "linkage": {"URL": {"value": "https://wms.geo.bs.ch"}}
                                },
                                "type": "simple",
                            },
                        },
                        "type": "simple",
                    },
                    "role": {
                        "CI_RoleCode": {
                            "value": "pointOfContact",
                            "codeList": "http://www.isotc211.org/2005/resources/Codelist/gmxCodelists.xml#CI_RoleCode",
                            "codeListValue": "pointOfContact",
                            "codeSpace": "ISOTC211/19115",
                        }
                    },
                },
                "type": "simple",
            }
        ],
        "dateStamp": {"nilReason": "missing"},
        "metadataStandardName": {
            "LocalisedCharacterString": {
                "value": "ISO 19115:2003 - Geographic information - Metadata"
            }
        },
        "metadataStandardVersion": {
            "LocalisedCharacterString": {
                "value": "ISO 19115:2003",
            }
        },
        "distributionInfo": {
            "MD_Distribution": {
                "distributor": [
                    {
                        "MD_Distributor": {
                            "distributorContact": {
                                "CI_ResponsibleParty": {
                                    "id": "contact",
                                    "individualName": {
                                        "LocalisedCharacterString": {
                                            "value": "Fachstelle für Geoinformation"
                                        }
                                    },
                                    "organisationName": {
                                        "LocalisedCharacterString": {
                                            "value": "Grundbuch- und Vermessungsamt"
                                        }
                                    },
                                    "contactInfo": {
                                        "CI_Contact": {
                                            "phone": {
                                                "CI_Telephone": {
                                                    "voice": [
                                                        {
                                                            "LocalisedCharacterString": {
                                                                "value": "+41612679953",
                                                            }
                                                        }
                                                    ],
                                                    "facsimile": [],
                                                },
                                                "type": "simple",
                                            },
                                            "address": {
                                                "CI_Address": {
                                                    "deliveryPoint": [
                                                        {
                                                            "LocalisedCharacterString": {
                                                                "value": "Dufourstrasse 40/50, Postfach",
                                                            }
                                                        }
                                                    ],
                                                    "city": {
                                                        "LocalisedCharacterString": {
                                                            "value": "Basel",
                                                        },
                                                    },
                                                    "administrativeArea": {
                                                        "LocalisedCharacterString": {
                                                            "value": "Basel-Stadt",
                                                        }
                                                    },
                                                    "postalCode": {
                                                        "LocalisedCharacterString": {
                                                            "value": "4001",
                                                        },
                                                    },
                                                    "country": {
                                                        "LocalisedCharacterString": {
                                                            "value": "Schweiz",
                                                        },
                                                    },
                                                    "electronicMailAddress": [
                                                        {
                                                            "LocalisedCharacterString": {
                                                                "value": "geo@bs.ch",
                                                            },
                                                        }
                                                    ],
                                                },
                                                "type": "simple",
                                            },
                                            "onlineResource": {
                                                "CI_OnlineResource": {
                                                    "linkage": {
                                                        "URL": {
                                                            "value": "https://wms.geo.bs.ch"
                                                        },
                                                    },
                                                },
                                                "type": "simple",
                                            },
                                        },
                                        "type": "simple",
                                    },
                                    "role": {
                                        "CI_RoleCode": {
                                            "value": "pointOfContact",
                                            "codeList": "http://www.isotc211.org/2005/resources/Codelist/gmxCodelists.xml#CI_RoleCode",
                                            "codeListValue": "pointOfContact",
                                            "codeSpace": "ISOTC211/19115",
                                        },
                                    },
                                },
                                "type": "simple",
                            },
                        },
                        "type": "simple",
                    }
                ],
                "transferOptions": [
                    {
                        "MD_DigitalTransferOptions": {
                            "unitsOfDistribution": {
                                "LocalisedCharacterString": {
                                    "value": "KB",
                                },
                            },
                        },
                        "type": "simple",
                    }
                ],
            },
            "type": "simple",
        },
    }
    return metadata

wms_1_3_0_capability_config(url)

Source code in src/georama/maps/maps_config.py
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
def wms_1_3_0_capability_config(self, url: str) -> dict:
    capability_config = {
        "Request": {
            "GetCapabilities": {
                "Format": [{"value": "text/xml"}, {"value": "application/json"}],
                "DCPType": [
                    {
                        "HTTP": {
                            "Get": {
                                "OnlineResource": {
                                    "type": TypeType.SIMPLE.value,
                                    "href": url,
                                }
                            }
                        }
                    }
                ],
            },
            "GetMap": {
                "Format": [{"value": self.default_format}],
                "DCPType": [
                    {
                        "HTTP": {
                            "Get": {
                                "OnlineResource": {
                                    "type": TypeType.SIMPLE.value,
                                    "href": url,
                                }
                            }
                        }
                    }
                ],
            },
        },
        "Exception": {"Format": [{"value": "text/xml"}]},
        "Layer": {
            "queryable": 0,
            "opaque": 0,
            "noSubsets": 0,
            "cascaded": 0,
            "Name": "qgis_server_light",
            "Title": {"value": "QGIS Server light"},
            "Abstract": {"value": "The lightning fast access to your raster data"},
            "KeywordList": {
                "Keyword": [
                    {"value": "fast", "vocabulary": "ISO"},
                    {"value": "infoMapAccessService", "vocabulary": "ISO"},
                ]
            },
            "CRS": [{"value": "EPSG:2056"}, {"value": "CRS:84"}],
            "EX_GeographicBoundingBox": {
                "westBoundLongitude": 180.0,
                "eastBoundLongitude": -180.0,
                "southBoundLatitude": -90.0,
                "northBoundLatitude": 90.0,
            },
            "BoundingBox": [
                {"CRS": "EPSG:2056", "minx": 1.0, "miny": 1.0, "maxx": 1.0, "maxy": 1.0}
            ],
            "Style": [{"Title": {"value": "Default"}, "Name": {"value": "default"}}],
        },
    }
    return capability_config

wms_1_3_0_service_config(url)

Source code in src/georama/maps/maps_config.py
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
def wms_1_3_0_service_config(self, url: str) -> dict:
    service_config = {
        "Name": ServiceName.WMS.value,
        "Title": {"value": "QGIS Server light"},
        "Abstract": {"value": "this is the new approach"},
        "KeywordList": {
            "Keyword": [
                {"value": "fast", "vocabulary": "ISO"},
                {"value": "infoMapAccessService", "vocabulary": "ISO"},
            ]
        },
        "ContactInformation": {
            "ContactPersonPrimary": {
                "ContactPerson": {"value": "Clemens Rudert"},
                "ContactOrganization": {"value": "OPENGIS.ch"},
            },
            "ContactPosition": {},
            "ContactAddress": {
                "Address": {"value": "Via Geinas 2"},
                "City": {"value": "Laax"},
                "StateOrProvince": {"value": "Canton Graubünden"},
                "PostCode": {"value": "7031"},
                "Country": {"value": "Switzerland"},
            },
            "ContactElectronicMailAddress": {"value": "sales@opengis.ch"},
        },
        "OnlineResource": {"type": TypeType.SIMPLE.value, "href": url},
        "Fees": {"value": "its for free"},
        "AccessConstraints": {"value": "None"},
    }
    return service_config

migrations

0001_initial

Migration

Bases: Migration

Source code in src/georama/maps/migrations/0001_initial.py
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
class Migration(migrations.Migration):

    initial = True

    dependencies = [
        ("data_integration", "0020_remove_vectordataset_extent_buffer"),
    ]

    operations = [
        migrations.CreateModel(
            name="PublishedAsWms",
            fields=[
                (
                    "identifier",
                    models.UUIDField(
                        default=uuid.uuid4, editable=False, primary_key=True, serialize=False
                    ),
                ),
                (
                    "name",
                    models.CharField(blank=True, default=None, max_length=1000, null=True),
                ),
                ("public", models.BooleanField(default=False)),
                (
                    "title",
                    models.CharField(blank=True, default=None, max_length=1000, null=True),
                ),
                ("description", models.TextField(blank=True, default=None, null=True)),
                (
                    "license",
                    models.TextField(
                        default="\n    This dataset is made available under the Open Database\n    License: http://opendatacommons.org/licenses/odbl/1.0/.\n    Any rights in individual contents of the database are licensed\n    under the Database Contents\n    License: http://opendatacommons.org/licenses/dbcl/1.0/\n    "
                    ),
                ),
                ("fees", models.TextField(default="No fees apply.")),
                (
                    "access_constraints",
                    models.TextField(default="No access constraints apply."),
                ),
                ("extent_buffer", models.FloatField(default=0.0)),
                (
                    "custom_dataset",
                    models.ForeignKey(
                        null=True,
                        on_delete=django.db.models.deletion.CASCADE,
                        related_name="published_ogc_wms",
                        related_query_name="published_ogc_wms",
                        to="data_integration.customdataset",
                    ),
                ),
                (
                    "raster_dataset",
                    models.ForeignKey(
                        null=True,
                        on_delete=django.db.models.deletion.CASCADE,
                        related_name="published_ogc_wms",
                        related_query_name="published_ogc_wms",
                        to="data_integration.rasterdataset",
                    ),
                ),
                (
                    "vector_dataset",
                    models.ForeignKey(
                        null=True,
                        on_delete=django.db.models.deletion.CASCADE,
                        related_name="published_ogc_wms",
                        related_query_name="published_ogc_wms",
                        to="data_integration.vectordataset",
                    ),
                ),
            ],
            options={
                "abstract": False,
            },
        ),
    ]
dependencies = [('data_integration', '0020_remove_vectordataset_extent_buffer')] class-attribute instance-attribute
initial = True class-attribute instance-attribute
operations = [migrations.CreateModel(name='PublishedAsWms', fields=[('identifier', models.UUIDField(default=uuid.uuid4, editable=False, primary_key=True, serialize=False)), ('name', models.CharField(blank=True, default=None, max_length=1000, null=True)), ('public', models.BooleanField(default=False)), ('title', models.CharField(blank=True, default=None, max_length=1000, null=True)), ('description', models.TextField(blank=True, default=None, null=True)), ('license', models.TextField(default='\n This dataset is made available under the Open Database\n License: http://opendatacommons.org/licenses/odbl/1.0/.\n Any rights in individual contents of the database are licensed\n under the Database Contents\n License: http://opendatacommons.org/licenses/dbcl/1.0/\n ')), ('fees', models.TextField(default='No fees apply.')), ('access_constraints', models.TextField(default='No access constraints apply.')), ('extent_buffer', models.FloatField(default=0.0)), ('custom_dataset', models.ForeignKey(null=True, on_delete=django.db.models.deletion.CASCADE, related_name='published_ogc_wms', related_query_name='published_ogc_wms', to='data_integration.customdataset')), ('raster_dataset', models.ForeignKey(null=True, on_delete=django.db.models.deletion.CASCADE, related_name='published_ogc_wms', related_query_name='published_ogc_wms', to='data_integration.rasterdataset')), ('vector_dataset', models.ForeignKey(null=True, on_delete=django.db.models.deletion.CASCADE, related_name='published_ogc_wms', related_query_name='published_ogc_wms', to='data_integration.vectordataset'))], options={'abstract': False})] class-attribute instance-attribute

0002_publishedaswms_queryable

Migration

Bases: Migration

Source code in src/georama/maps/migrations/0002_publishedaswms_queryable.py
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
class Migration(migrations.Migration):

    dependencies = [
        ("maps", "0001_initial"),
    ]

    operations = [
        migrations.AddField(
            model_name="publishedaswms",
            name="queryable",
            field=models.BooleanField(blank=True, default=False, null=True),
        ),
    ]
dependencies = [('maps', '0001_initial')] class-attribute instance-attribute
operations = [migrations.AddField(model_name='publishedaswms', name='queryable', field=models.BooleanField(blank=True, default=False, null=True))] class-attribute instance-attribute

models

PublishedAsWms

Bases: PublishedAsWmsAbstract

Source code in src/georama/maps/models.py
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
class PublishedAsWms(PublishedAsWmsAbstract):
    class Meta:
        verbose_name = f'WMS {_("Layer")}'
        verbose_name_plural = f'WMS {_("Layers")}'

    raster_dataset = models.ForeignKey(
        RasterDataSet,
        # TODO: this seems wrong => only because error:
        #  It is impossible to add a non-nullable field 'dataset' to ... without
        #  specifying a default. This is because the database needs something to populate existing rows.
        null=True,
        related_name="published_ogc_wms",
        related_query_name="published_ogc_wms",
        on_delete=models.CASCADE,
    )
    vector_dataset = models.ForeignKey(
        VectorDataSet,
        # TODO: this seems wrong => only because error:
        #  It is impossible to add a non-nullable field 'dataset' to ... without
        #  specifying a default. This is because the database needs something to populate existing rows.
        null=True,
        related_name="published_ogc_wms",
        related_query_name="published_ogc_wms",
        on_delete=models.CASCADE,
    )
    custom_dataset = models.ForeignKey(
        CustomDataSet,
        # TODO: this seems wrong => only because error:
        #  It is impossible to add a non-nullable field 'dataset' to ... without
        #  specifying a default. This is because the database needs something to populate existing rows.
        null=True,
        related_name="published_ogc_wms",
        related_query_name="published_ogc_wms",
        on_delete=models.CASCADE,
    )

    @property
    def get_raster_dataset(self) -> RasterDataSet:
        return self.raster_dataset

    @property
    def get_vector_dataset(self) -> VectorDataSet:
        return self.vector_dataset

    @property
    def get_custom_dataset(self) -> CustomDataSet:
        return self.custom_dataset

custom_dataset = models.ForeignKey(CustomDataSet, null=True, related_name='published_ogc_wms', related_query_name='published_ogc_wms', on_delete=models.CASCADE) class-attribute instance-attribute

get_custom_dataset property

get_raster_dataset property

get_vector_dataset property

raster_dataset = models.ForeignKey(RasterDataSet, null=True, related_name='published_ogc_wms', related_query_name='published_ogc_wms', on_delete=models.CASCADE) class-attribute instance-attribute

vector_dataset = models.ForeignKey(VectorDataSet, null=True, related_name='published_ogc_wms', related_query_name='published_ogc_wms', on_delete=models.CASCADE) class-attribute instance-attribute

Meta

Source code in src/georama/maps/models.py
69
70
71
class Meta:
    verbose_name = f'WMS {_("Layer")}'
    verbose_name_plural = f'WMS {_("Layers")}'
verbose_name = f'WMS {_('Layer')}' class-attribute instance-attribute
verbose_name_plural = f'WMS {_('Layers')}' class-attribute instance-attribute

PublishedAsWmsAbstract

Bases: PublishedAs

Source code in src/georama/maps/models.py
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
class PublishedAsWmsAbstract(PublishedAs):
    class Meta:
        abstract = True

    published_as_type = "maps"
    extent_buffer = models.FloatField(default=0.0, null=False)
    queryable = models.BooleanField(default=True, null=True, blank=True)

    @property
    def get_raster_dataset(self) -> RasterDataSet:
        raise NotImplementedError()

    @property
    def get_vector_dataset(self) -> VectorDataSet:
        raise NotImplementedError()

    @property
    def get_custom_dataset(self) -> CustomDataSet:
        raise NotImplementedError()

    @property
    def bound_dataset(self) -> VectorDataSet | RasterDataSet | CustomDataSet:
        if isinstance(self.get_raster_dataset, RasterDataSet):
            return self.get_raster_dataset
        elif isinstance(self.get_vector_dataset, VectorDataSet):
            return self.get_vector_dataset
        elif isinstance(self.get_custom_dataset, CustomDataSet):
            return self.get_custom_dataset
        else:
            raise NotImplementedError(
                "linked dataset has to be RasterDataSet|VectorDataSet|CustomDataSet!"
            )

    @property
    def readable_identifier(self) -> str:
        dataset = self.bound_dataset
        return f"{dataset.project.mandant.name}.{dataset.project.name}.{dataset.name}.{self.identifier}"

    @property
    def permissions(self) -> List[PermissionInterface]:
        # No need for Update or delete with WMS...
        return self.read_permissions

    def save(self, force_insert=False, force_update=False, using=None, update_fields=None):
        dataset = self.bound_dataset
        if self.name is None:
            # TODO: maybe we want this to be configurable?
            self.name = dataset.name
        if self.title is None:
            self.title = dataset.title
        super().save(
            force_insert=force_insert,
            force_update=force_update,
            using=using,
            update_fields=update_fields,
        )

bound_dataset property

extent_buffer = models.FloatField(default=0.0, null=False) class-attribute instance-attribute

get_custom_dataset property

get_raster_dataset property

get_vector_dataset property

permissions property

published_as_type = 'maps' class-attribute instance-attribute

queryable = models.BooleanField(default=True, null=True, blank=True) class-attribute instance-attribute

readable_identifier property

Meta

Source code in src/georama/maps/models.py
11
12
class Meta:
    abstract = True
abstract = True class-attribute instance-attribute

save(force_insert=False, force_update=False, using=None, update_fields=None)

Source code in src/georama/maps/models.py
53
54
55
56
57
58
59
60
61
62
63
64
65
def save(self, force_insert=False, force_update=False, using=None, update_fields=None):
    dataset = self.bound_dataset
    if self.name is None:
        # TODO: maybe we want this to be configurable?
        self.name = dataset.name
    if self.title is None:
        self.title = dataset.title
    super().save(
        force_insert=force_insert,
        force_update=force_update,
        using=using,
        update_fields=update_fields,
    )

services

OgcOperation

Source code in src/georama/maps/services/__init__.py
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
class OgcOperation:
    def __init__(self, appname: str, url: str, user, model: Model):
        self.appname: str = appname
        self.url: str = url
        self.user: User = user
        self.model = model

    @property
    def allowed_formats(self) -> List[str]:
        return []

    @staticmethod
    def create_operation_parsing_failed(message: str) -> ExceptionReport:
        """
        Generic method to create a valid error response XML.
        """
        return ExceptionReport(exception=[Exception(exception_text=[message])])

    def render_operation_parsing_failed(self, message: str) -> str:
        serializer = XmlSerializer()
        return serializer.render(
            self.create_operation_parsing_failed(
                f"Format {message} is not allowed. Allowed is {self.allowed_formats}"
            ),
            ns_map={
                None: "http://www.opengis.net/wms",
                "xlink": "http://www.w3.org/1999/xlink",
            },
        )

allowed_formats property

appname = appname instance-attribute

model = model instance-attribute

url = url instance-attribute

user = user instance-attribute

__init__(appname, url, user, model)

Source code in src/georama/maps/services/__init__.py
16
17
18
19
20
def __init__(self, appname: str, url: str, user, model: Model):
    self.appname: str = appname
    self.url: str = url
    self.user: User = user
    self.model = model

create_operation_parsing_failed(message) staticmethod

Generic method to create a valid error response XML.

Source code in src/georama/maps/services/__init__.py
26
27
28
29
30
31
@staticmethod
def create_operation_parsing_failed(message: str) -> ExceptionReport:
    """
    Generic method to create a valid error response XML.
    """
    return ExceptionReport(exception=[Exception(exception_text=[message])])

render_operation_parsing_failed(message)

Source code in src/georama/maps/services/__init__.py
33
34
35
36
37
38
39
40
41
42
43
def render_operation_parsing_failed(self, message: str) -> str:
    serializer = XmlSerializer()
    return serializer.render(
        self.create_operation_parsing_failed(
            f"Format {message} is not allowed. Allowed is {self.allowed_formats}"
        ),
        ns_map={
            None: "http://www.opengis.net/wms",
            "xlink": "http://www.w3.org/1999/xlink",
        },
    )

wfs_2_0_0

WfsOperation

Bases: OgcOperation

Source code in src/georama/maps/services/wfs_2_0_0/__init__.py
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
class WfsOperation(OgcOperation):
    def obtain_accessible_layers(
        self, layer_names: List[str] | None = None
    ) -> List[PublishedAsWms]:
        accessible_layers = []
        for published_as in PublishedAsWms.objects.all():
            if published_as.has_read_permission(self.user, self.appname):
                if isinstance(published_as.vector_dataset, VectorDataSet):
                    accessible_layers.append(published_as)
                else:
                    logging.debug(
                        "linked dataset has to be VectorDataSet for WFS 2.0.0, all others are ignored!"
                    )
        return accessible_layers
obtain_accessible_layers(layer_names=None)
Source code in src/georama/maps/services/wfs_2_0_0/__init__.py
10
11
12
13
14
15
16
17
18
19
20
21
22
def obtain_accessible_layers(
    self, layer_names: List[str] | None = None
) -> List[PublishedAsWms]:
    accessible_layers = []
    for published_as in PublishedAsWms.objects.all():
        if published_as.has_read_permission(self.user, self.appname):
            if isinstance(published_as.vector_dataset, VectorDataSet):
                accessible_layers.append(published_as)
            else:
                logging.debug(
                    "linked dataset has to be VectorDataSet for WFS 2.0.0, all others are ignored!"
                )
    return accessible_layers

describe_feature_type

describe_feature_type()
Source code in src/georama/maps/services/wfs_2_0_0/describe_feature_type.py
1
2
def describe_feature_type():
    raise NotImplementedError()

get_capabilities

WfsGetCapabilities

Bases: WfsOperation

Source code in src/georama/maps/services/wfs_2_0_0/get_capabilities.py
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
class WfsGetCapabilities(WfsOperation):
    @property
    def allowed_formats(self) -> List[str]:
        return ["TEXT/XML", "APPLICATION/JSON"]

    def get_capabilities_body(self) -> WfsCapabilities:
        config = Config()
        decoder = DictDecoder()
        return decoder.decode(config.wfs_2_0_0_capabilities_config(self.url), WfsCapabilities)

    @staticmethod
    def create_feature_type(name: str, title: str, crs: str, bbox: BBox, url: str):
        return FeatureTypeType(
            name=QName(name),
            title=[Title(value=title)],
            default_crs=crs,
            output_formats=OutputFormatListType(
                format=[
                    "application/gml+xml; version=3.2",
                    "text/xml; subtype=gml/3.2.1",
                    "text/xml; subtype=gml/3.1.1",
                    "text/xml; subtype=gml/2.1.2",
                ]
            ),
            wgs84_bounding_box=[
                Wgs84BoundingBox(
                    lower_corner=[bbox.x_min, bbox.y_min],
                    upper_corner=[bbox.x_max, bbox.y_max],
                )
            ],
            metadata_url=[MetadataUrltype(href=f"{url}request=GetMetadata&layer={name}")],
        )

    def get_capabilities(self) -> WfsCapabilities:
        wfs_capabilities = self.get_capabilities_body()
        for published_as in self.obtain_accessible_layers():
            dataset = published_as.vector_dataset
            source_crs = DictDecoder().decode(dataset.crs, QSL_Crs)
            bbox = BBox.from_string(dataset.bbox_wgs84)
            wfs_capabilities.feature_type_list.feature_type.append(
                self.create_feature_type(
                    published_as.name, published_as.title, source_crs.ogc_uri, bbox, self.url
                )
            )
        return wfs_capabilities

    @staticmethod
    def render_xml(capabilities: WfsCapabilities) -> str:
        serializer = XmlSerializer()
        return serializer.render(
            capabilities,
            ns_map={
                "wfs": "http://www.opengis.net/wfs/2.0",
                "xlink": "http://www.w3.org/1999/xlink",
                "fes": "http://www.opengis.net/fes/2.0",
                "ows": "http://www.opengis.net/ows/1.1",
                "xsi": "http://www.w3.org/2001/XMLSchema-instance",
            },
        )

    @staticmethod
    def render_json(capabilities: WfsCapabilities) -> str:
        serializer = JsonSerializer()
        return serializer.render(capabilities)

    def render(self, requested_format: str, capabilities: WfsCapabilities) -> str | None:
        if requested_format == "TEXT/XML":
            return self.render_xml(capabilities)
        elif requested_format == "APPLICATION/JSON":
            return self.render_json(capabilities)
        else:
            logging.debug("No matching Format was found.")
            return None
allowed_formats property
create_feature_type(name, title, crs, bbox, url) staticmethod
Source code in src/georama/maps/services/wfs_2_0_0/get_capabilities.py
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
@staticmethod
def create_feature_type(name: str, title: str, crs: str, bbox: BBox, url: str):
    return FeatureTypeType(
        name=QName(name),
        title=[Title(value=title)],
        default_crs=crs,
        output_formats=OutputFormatListType(
            format=[
                "application/gml+xml; version=3.2",
                "text/xml; subtype=gml/3.2.1",
                "text/xml; subtype=gml/3.1.1",
                "text/xml; subtype=gml/2.1.2",
            ]
        ),
        wgs84_bounding_box=[
            Wgs84BoundingBox(
                lower_corner=[bbox.x_min, bbox.y_min],
                upper_corner=[bbox.x_max, bbox.y_max],
            )
        ],
        metadata_url=[MetadataUrltype(href=f"{url}request=GetMetadata&layer={name}")],
    )
get_capabilities()
Source code in src/georama/maps/services/wfs_2_0_0/get_capabilities.py
61
62
63
64
65
66
67
68
69
70
71
72
def get_capabilities(self) -> WfsCapabilities:
    wfs_capabilities = self.get_capabilities_body()
    for published_as in self.obtain_accessible_layers():
        dataset = published_as.vector_dataset
        source_crs = DictDecoder().decode(dataset.crs, QSL_Crs)
        bbox = BBox.from_string(dataset.bbox_wgs84)
        wfs_capabilities.feature_type_list.feature_type.append(
            self.create_feature_type(
                published_as.name, published_as.title, source_crs.ogc_uri, bbox, self.url
            )
        )
    return wfs_capabilities
get_capabilities_body()
Source code in src/georama/maps/services/wfs_2_0_0/get_capabilities.py
33
34
35
36
def get_capabilities_body(self) -> WfsCapabilities:
    config = Config()
    decoder = DictDecoder()
    return decoder.decode(config.wfs_2_0_0_capabilities_config(self.url), WfsCapabilities)
render(requested_format, capabilities)
Source code in src/georama/maps/services/wfs_2_0_0/get_capabilities.py
 93
 94
 95
 96
 97
 98
 99
100
def render(self, requested_format: str, capabilities: WfsCapabilities) -> str | None:
    if requested_format == "TEXT/XML":
        return self.render_xml(capabilities)
    elif requested_format == "APPLICATION/JSON":
        return self.render_json(capabilities)
    else:
        logging.debug("No matching Format was found.")
        return None
render_json(capabilities) staticmethod
Source code in src/georama/maps/services/wfs_2_0_0/get_capabilities.py
88
89
90
91
@staticmethod
def render_json(capabilities: WfsCapabilities) -> str:
    serializer = JsonSerializer()
    return serializer.render(capabilities)
render_xml(capabilities) staticmethod
Source code in src/georama/maps/services/wfs_2_0_0/get_capabilities.py
74
75
76
77
78
79
80
81
82
83
84
85
86
@staticmethod
def render_xml(capabilities: WfsCapabilities) -> str:
    serializer = XmlSerializer()
    return serializer.render(
        capabilities,
        ns_map={
            "wfs": "http://www.opengis.net/wfs/2.0",
            "xlink": "http://www.w3.org/1999/xlink",
            "fes": "http://www.opengis.net/fes/2.0",
            "ows": "http://www.opengis.net/ows/1.1",
            "xsi": "http://www.w3.org/2001/XMLSchema-instance",
        },
    )

get_feature

get_feature()
Source code in src/georama/maps/services/wfs_2_0_0/get_feature.py
1
2
def get_feature():
    raise NotImplementedError()

get_metadata

WfsGetMetadata

Bases: OgcOperation

Source code in src/georama/maps/services/wfs_2_0_0/get_metadata.py
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
class WfsGetMetadata(OgcOperation):
    @property
    def allowed_formats(self) -> List[str]:
        return ["TEXT/XML", "APPLICATION/JSON"]

    def obtain_accessible_layers(
        self, layer_names: List[str] | None = None
    ) -> List[PublishedAsWms]:
        accessible_layers = []
        published_as = PublishedAsWms.objects.get(name=layer_names[0])
        if published_as.has_read_permission(self.user, self.appname):
            if isinstance(published_as.vector_dataset, VectorDataSet):
                accessible_layers.append(published_as)
            else:
                logging.debug(
                    "linked dataset has to be VectorDataSet for WFS 2.0.0, all others are ignored!"
                )
        return accessible_layers

    def create_layer_distributioninfo_info(
        self, layer_name: str, wms_link_png: str, wfs_link_gml2: str, wfs_link_gml3: str
    ) -> List[CiOnlineResourcePropertyType]:
        return [
            CiOnlineResourcePropertyType(
                ci_online_resource=CiOnlineResource(
                    linkage=UrlPropertyType(url=Url(value=wms_link_png)),
                    protocol=CharacterStringPropertyType(
                        localised_character_string=LocalisedCharacterString(
                            value="WWW:DOWNLOAD-1.0-http-get-map"
                        )
                    ),
                    name=CharacterStringPropertyType(
                        localised_character_string=LocalisedCharacterString(value=layer_name)
                    ),
                    description=CharacterStringPropertyType(
                        localised_character_string=LocalisedCharacterString(value="PNG Format")
                    ),
                )
            ),
            CiOnlineResourcePropertyType(
                ci_online_resource=CiOnlineResource(
                    linkage=UrlPropertyType(url=Url(value=wfs_link_gml2)),
                    protocol=CharacterStringPropertyType(
                        localised_character_string=LocalisedCharacterString(
                            value="WWW:DOWNLOAD-1.0-http--download"
                        )
                    ),
                    name=CharacterStringPropertyType(
                        localised_character_string=LocalisedCharacterString(value=layer_name)
                    ),
                    description=CharacterStringPropertyType(
                        localised_character_string=LocalisedCharacterString(
                            value="GML2 Format"
                        )
                    ),
                )
            ),
            CiOnlineResourcePropertyType(
                ci_online_resource=CiOnlineResource(
                    linkage=UrlPropertyType(url=Url(value=wfs_link_gml3)),
                    protocol=CharacterStringPropertyType(
                        localised_character_string=LocalisedCharacterString(
                            value="WWW:DOWNLOAD-1.0-http--download"
                        )
                    ),
                    name=CharacterStringPropertyType(
                        localised_character_string=LocalisedCharacterString(value=layer_name)
                    ),
                    description=CharacterStringPropertyType(
                        localised_character_string=LocalisedCharacterString(
                            value="GML3 Format"
                        )
                    ),
                )
            ),
        ]

    def create_layer_reference_system_info(
        self, layer: PublishedAsWms
    ) -> MdReferenceSystemPropertyType:
        return MdReferenceSystemPropertyType(
            md_reference_system=MdReferenceSystem(
                reference_system_identifier=RsIdentifierPropertyType(
                    rs_identifier=RsIdentifier(
                        code=CharacterStringPropertyType(
                            localised_character_string=LocalisedCharacterString(
                                value=layer.bound_dataset.crs_to_qsl.auth_id
                            )
                        ),
                        code_space=CharacterStringPropertyType(
                            localised_character_string=LocalisedCharacterString(
                                value="http://www.epsg-registry.org"
                            )
                        ),
                        version=CharacterStringPropertyType(
                            localised_character_string=LocalisedCharacterString(value="6.14")
                        ),
                    )
                )
            )
        )

    def create_layer_identification_info(
        self, layer: PublishedAsWms, language: str
    ) -> MdIdentificationPropertyType:
        layer_bbox = BBox.from_string(layer.bound_dataset.bbox_wgs84)
        return MdIdentificationPropertyType(
            md_data_identification=MdDataIdentification(
                id=layer.name,
                citation=CiCitationPropertyType(
                    ci_citation=CiCitation(
                        title=CharacterStringPropertyType(
                            localised_character_string=LocalisedCharacterString(
                                value=layer.title
                            )
                        )
                    )
                ),
                abstract=CharacterStringPropertyType(
                    localised_character_string=LocalisedCharacterString(
                        value=layer.description
                    )
                ),
                language=[
                    CharacterStringPropertyType(
                        localised_character_string=LocalisedCharacterString(value=language)
                    )
                ],
                extent=[
                    ExExtentPropertyType(
                        ex_extent=ExExtent(
                            geographic_element=[
                                ExGeographicExtentPropertyType(
                                    ex_geographic_bounding_box=ExGeographicBoundingBox(
                                        west_bound_longitude=DecimalPropertyType(
                                            decimal=DecimalType(
                                                value=Decimal(layer_bbox.x_min)
                                            )
                                        ),
                                        east_bound_longitude=DecimalPropertyType(
                                            decimal=DecimalType(
                                                value=Decimal(layer_bbox.x_max)
                                            )
                                        ),
                                        south_bound_latitude=DecimalPropertyType(
                                            decimal=DecimalType(
                                                value=Decimal(layer_bbox.y_min)
                                            )
                                        ),
                                        north_bound_latitude=DecimalPropertyType(
                                            decimal=DecimalType(
                                                value=Decimal(layer_bbox.y_max)
                                            )
                                        ),
                                    )
                                )
                            ]
                        )
                    )
                ],
            )
        )

    def create_file_identification_info(self, layer_name: str) -> CharacterStringPropertyType:
        return CharacterStringPropertyType(
            localised_character_string=LocalisedCharacterString(value=layer_name)
        )

    def get_metadata(self, layer_name: str, language: str) -> MdMetadata:
        """
        Attibutes:
            layer_name: name of WMS/WFS Layer
            language: in the form `en-US`
            layer_geometry_type: `complex`|`composite`|`curve`|`point`|`solid`|`surface`
        """
        found_layer = self.obtain_accessible_layers([layer_name])[0]
        wms_link_png = f"{self.url}{PublishedAsWmsAdmin.create_url_params(found_layer)}"
        # TODO: Add links for WFS endpoints too
        wfs_link_gml2 = "TODO"
        wfs_link_gml3 = "TODO"
        BBox.from_string(found_layer.bound_dataset.bbox_wgs84)
        # TODO: Make that catched from configuration as we do for WMS already!
        config = Config().wfs_get_metadata_config(self.url)
        decoder = DictDecoder()
        metadata = decoder.decode(config, MdMetadata)
        metadata.file_identifier = self.create_file_identification_info(found_layer.name)
        metadata.identification_info = [
            self.create_layer_identification_info(found_layer, language)
        ]
        metadata.reference_system_info = [self.create_layer_reference_system_info(found_layer)]
        metadata.distribution_info.md_distribution.transfer_options[
            0
        ].md_digital_transfer_options.on_line = self.create_layer_distributioninfo_info(
            found_layer.name, wms_link_png, wfs_link_gml2, wfs_link_gml3
        )
        return metadata

    @staticmethod
    def render_xml(metadata: MdMetadata) -> str:
        serializer = XmlSerializer(
            config=SerializerConfig(
                schema_location="gmd http://www.isotc211.org/2005/gmd/gmd.xsd"
            )
        )
        return serializer.render(
            metadata,
            ns_map={
                "gmd": "http://www.isotc211.org/2005/gmd",
                "gco": "http://www.isotc211.org/2005/gco",
                "xsi": "http://www.w3.org/2001/XMLSchema-instance",
            },
        )

    @staticmethod
    def render_json(metadata: MdMetadata) -> str:
        serializer = JsonSerializer()
        return serializer.render(metadata)

    def render(self, requested_format: str, metadata: MdMetadata) -> str | None:
        if requested_format == "TEXT/XML":
            return self.render_xml(metadata)
        elif requested_format == "APPLICATION/JSON":
            return self.render_json(metadata)
        else:
            logging.debug("No matching Format was found.")
            return None
allowed_formats property
create_file_identification_info(layer_name)
Source code in src/georama/maps/services/wfs_2_0_0/get_metadata.py
203
204
205
206
def create_file_identification_info(self, layer_name: str) -> CharacterStringPropertyType:
    return CharacterStringPropertyType(
        localised_character_string=LocalisedCharacterString(value=layer_name)
    )
create_layer_distributioninfo_info(layer_name, wms_link_png, wfs_link_gml2, wfs_link_gml3)
Source code in src/georama/maps/services/wfs_2_0_0/get_metadata.py
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
def create_layer_distributioninfo_info(
    self, layer_name: str, wms_link_png: str, wfs_link_gml2: str, wfs_link_gml3: str
) -> List[CiOnlineResourcePropertyType]:
    return [
        CiOnlineResourcePropertyType(
            ci_online_resource=CiOnlineResource(
                linkage=UrlPropertyType(url=Url(value=wms_link_png)),
                protocol=CharacterStringPropertyType(
                    localised_character_string=LocalisedCharacterString(
                        value="WWW:DOWNLOAD-1.0-http-get-map"
                    )
                ),
                name=CharacterStringPropertyType(
                    localised_character_string=LocalisedCharacterString(value=layer_name)
                ),
                description=CharacterStringPropertyType(
                    localised_character_string=LocalisedCharacterString(value="PNG Format")
                ),
            )
        ),
        CiOnlineResourcePropertyType(
            ci_online_resource=CiOnlineResource(
                linkage=UrlPropertyType(url=Url(value=wfs_link_gml2)),
                protocol=CharacterStringPropertyType(
                    localised_character_string=LocalisedCharacterString(
                        value="WWW:DOWNLOAD-1.0-http--download"
                    )
                ),
                name=CharacterStringPropertyType(
                    localised_character_string=LocalisedCharacterString(value=layer_name)
                ),
                description=CharacterStringPropertyType(
                    localised_character_string=LocalisedCharacterString(
                        value="GML2 Format"
                    )
                ),
            )
        ),
        CiOnlineResourcePropertyType(
            ci_online_resource=CiOnlineResource(
                linkage=UrlPropertyType(url=Url(value=wfs_link_gml3)),
                protocol=CharacterStringPropertyType(
                    localised_character_string=LocalisedCharacterString(
                        value="WWW:DOWNLOAD-1.0-http--download"
                    )
                ),
                name=CharacterStringPropertyType(
                    localised_character_string=LocalisedCharacterString(value=layer_name)
                ),
                description=CharacterStringPropertyType(
                    localised_character_string=LocalisedCharacterString(
                        value="GML3 Format"
                    )
                ),
            )
        ),
    ]
create_layer_identification_info(layer, language)
Source code in src/georama/maps/services/wfs_2_0_0/get_metadata.py
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
def create_layer_identification_info(
    self, layer: PublishedAsWms, language: str
) -> MdIdentificationPropertyType:
    layer_bbox = BBox.from_string(layer.bound_dataset.bbox_wgs84)
    return MdIdentificationPropertyType(
        md_data_identification=MdDataIdentification(
            id=layer.name,
            citation=CiCitationPropertyType(
                ci_citation=CiCitation(
                    title=CharacterStringPropertyType(
                        localised_character_string=LocalisedCharacterString(
                            value=layer.title
                        )
                    )
                )
            ),
            abstract=CharacterStringPropertyType(
                localised_character_string=LocalisedCharacterString(
                    value=layer.description
                )
            ),
            language=[
                CharacterStringPropertyType(
                    localised_character_string=LocalisedCharacterString(value=language)
                )
            ],
            extent=[
                ExExtentPropertyType(
                    ex_extent=ExExtent(
                        geographic_element=[
                            ExGeographicExtentPropertyType(
                                ex_geographic_bounding_box=ExGeographicBoundingBox(
                                    west_bound_longitude=DecimalPropertyType(
                                        decimal=DecimalType(
                                            value=Decimal(layer_bbox.x_min)
                                        )
                                    ),
                                    east_bound_longitude=DecimalPropertyType(
                                        decimal=DecimalType(
                                            value=Decimal(layer_bbox.x_max)
                                        )
                                    ),
                                    south_bound_latitude=DecimalPropertyType(
                                        decimal=DecimalType(
                                            value=Decimal(layer_bbox.y_min)
                                        )
                                    ),
                                    north_bound_latitude=DecimalPropertyType(
                                        decimal=DecimalType(
                                            value=Decimal(layer_bbox.y_max)
                                        )
                                    ),
                                )
                            )
                        ]
                    )
                )
            ],
        )
    )
create_layer_reference_system_info(layer)
Source code in src/georama/maps/services/wfs_2_0_0/get_metadata.py
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
def create_layer_reference_system_info(
    self, layer: PublishedAsWms
) -> MdReferenceSystemPropertyType:
    return MdReferenceSystemPropertyType(
        md_reference_system=MdReferenceSystem(
            reference_system_identifier=RsIdentifierPropertyType(
                rs_identifier=RsIdentifier(
                    code=CharacterStringPropertyType(
                        localised_character_string=LocalisedCharacterString(
                            value=layer.bound_dataset.crs_to_qsl.auth_id
                        )
                    ),
                    code_space=CharacterStringPropertyType(
                        localised_character_string=LocalisedCharacterString(
                            value="http://www.epsg-registry.org"
                        )
                    ),
                    version=CharacterStringPropertyType(
                        localised_character_string=LocalisedCharacterString(value="6.14")
                    ),
                )
            )
        )
    )
get_metadata(layer_name, language)
Attibutes

layer_name: name of WMS/WFS Layer language: in the form en-US layer_geometry_type: complex|composite|curve|point|solid|surface

Source code in src/georama/maps/services/wfs_2_0_0/get_metadata.py
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
def get_metadata(self, layer_name: str, language: str) -> MdMetadata:
    """
    Attibutes:
        layer_name: name of WMS/WFS Layer
        language: in the form `en-US`
        layer_geometry_type: `complex`|`composite`|`curve`|`point`|`solid`|`surface`
    """
    found_layer = self.obtain_accessible_layers([layer_name])[0]
    wms_link_png = f"{self.url}{PublishedAsWmsAdmin.create_url_params(found_layer)}"
    # TODO: Add links for WFS endpoints too
    wfs_link_gml2 = "TODO"
    wfs_link_gml3 = "TODO"
    BBox.from_string(found_layer.bound_dataset.bbox_wgs84)
    # TODO: Make that catched from configuration as we do for WMS already!
    config = Config().wfs_get_metadata_config(self.url)
    decoder = DictDecoder()
    metadata = decoder.decode(config, MdMetadata)
    metadata.file_identifier = self.create_file_identification_info(found_layer.name)
    metadata.identification_info = [
        self.create_layer_identification_info(found_layer, language)
    ]
    metadata.reference_system_info = [self.create_layer_reference_system_info(found_layer)]
    metadata.distribution_info.md_distribution.transfer_options[
        0
    ].md_digital_transfer_options.on_line = self.create_layer_distributioninfo_info(
        found_layer.name, wms_link_png, wfs_link_gml2, wfs_link_gml3
    )
    return metadata
obtain_accessible_layers(layer_names=None)
Source code in src/georama/maps/services/wfs_2_0_0/get_metadata.py
45
46
47
48
49
50
51
52
53
54
55
56
57
def obtain_accessible_layers(
    self, layer_names: List[str] | None = None
) -> List[PublishedAsWms]:
    accessible_layers = []
    published_as = PublishedAsWms.objects.get(name=layer_names[0])
    if published_as.has_read_permission(self.user, self.appname):
        if isinstance(published_as.vector_dataset, VectorDataSet):
            accessible_layers.append(published_as)
        else:
            logging.debug(
                "linked dataset has to be VectorDataSet for WFS 2.0.0, all others are ignored!"
            )
    return accessible_layers
render(requested_format, metadata)
Source code in src/georama/maps/services/wfs_2_0_0/get_metadata.py
258
259
260
261
262
263
264
265
def render(self, requested_format: str, metadata: MdMetadata) -> str | None:
    if requested_format == "TEXT/XML":
        return self.render_xml(metadata)
    elif requested_format == "APPLICATION/JSON":
        return self.render_json(metadata)
    else:
        logging.debug("No matching Format was found.")
        return None
render_json(metadata) staticmethod
Source code in src/georama/maps/services/wfs_2_0_0/get_metadata.py
253
254
255
256
@staticmethod
def render_json(metadata: MdMetadata) -> str:
    serializer = JsonSerializer()
    return serializer.render(metadata)
render_xml(metadata) staticmethod
Source code in src/georama/maps/services/wfs_2_0_0/get_metadata.py
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
@staticmethod
def render_xml(metadata: MdMetadata) -> str:
    serializer = XmlSerializer(
        config=SerializerConfig(
            schema_location="gmd http://www.isotc211.org/2005/gmd/gmd.xsd"
        )
    )
    return serializer.render(
        metadata,
        ns_map={
            "gmd": "http://www.isotc211.org/2005/gmd",
            "gco": "http://www.isotc211.org/2005/gco",
            "xsi": "http://www.w3.org/2001/XMLSchema-instance",
        },
    )

get_property_value

get_property_value()
Source code in src/georama/maps/services/wfs_2_0_0/get_property_value.py
1
2
def get_property_value():
    raise NotImplementedError()

wms_1_3_0

WmsOperation

Bases: OgcOperation

Source code in src/georama/maps/services/wms_1_3_0/__init__.py
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
class WmsOperation(OgcOperation):
    def obtain_accessible_layers(
        self, layer_names: List[str] | None = None
    ) -> List[PublishedAsWms]:
        accessible_layers = []
        if layer_names:
            query = self.model.objects.filter(name__in=layer_names)
        else:
            query = self.model.objects.filter()
        found_layers = query.all()
        if layer_names:
            found_difference = set(layer_names) - {layer.name for layer in found_layers}
            if len(found_difference) > 0:
                raise PermissionError(f"Layer(s) not found: {list(found_difference)}")
        for published_as in found_layers:
            if published_as.has_read_permission(self.user, self.appname):
                accessible_layers.append(published_as)
        if layer_names:
            permission_difference = set(layer_names) - {
                layer.name for layer in accessible_layers
            }
            if len(permission_difference) > 0:
                raise PermissionError(f"Layer(s) not permitted: {list(permission_difference)}")
        return accessible_layers
obtain_accessible_layers(layer_names=None)
Source code in src/georama/maps/services/wms_1_3_0/__init__.py
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
def obtain_accessible_layers(
    self, layer_names: List[str] | None = None
) -> List[PublishedAsWms]:
    accessible_layers = []
    if layer_names:
        query = self.model.objects.filter(name__in=layer_names)
    else:
        query = self.model.objects.filter()
    found_layers = query.all()
    if layer_names:
        found_difference = set(layer_names) - {layer.name for layer in found_layers}
        if len(found_difference) > 0:
            raise PermissionError(f"Layer(s) not found: {list(found_difference)}")
    for published_as in found_layers:
        if published_as.has_read_permission(self.user, self.appname):
            accessible_layers.append(published_as)
    if layer_names:
        permission_difference = set(layer_names) - {
            layer.name for layer in accessible_layers
        }
        if len(permission_difference) > 0:
            raise PermissionError(f"Layer(s) not permitted: {list(permission_difference)}")
    return accessible_layers

get_capabilities

WmsGetCapabilities

Bases: WmsOperation

Source code in src/georama/maps/services/wms_1_3_0/get_capabilities.py
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
class WmsGetCapabilities(WmsOperation):
    @property
    def allowed_formats(self) -> List[str]:
        return ["TEXT/XML", "APPLICATION/JSON"]

    def get_capabilities_body(self) -> WmsCapabilities:
        config = Config()
        decoder_config = ParserConfig(
            fail_on_unknown_properties=False, fail_on_unknown_attributes=False
        )
        decoder = DictDecoder(decoder_config)
        service = decoder.decode(config.wms_1_3_0_service_config(self.url), Service)
        capapility = decoder.decode(config.wms_1_3_0_capability_config(self.url), Capability)
        return WmsCapabilities(service=service, capability=capapility)

    @staticmethod
    def create_layer(
        name: str,
        title: str,
        description: str,
        crs: str,
        bbox: BBox,
        bbox_wgs84: BBox,
        styles: List[str],
    ) -> Layer:
        bbox_object_storage = BoundingBox(
            crs=crs,
            minx=bbox.x_min,
            maxx=bbox.x_max,
            miny=bbox.y_min,
            maxy=bbox.y_max,
        )
        ex_geographic_bounding_box_object = ExGeographicBoundingBox(
            west_bound_longitude=bbox_wgs84.x_min,
            east_bound_longitude=bbox_wgs84.x_max,
            south_bound_latitude=bbox_wgs84.y_min,
            north_bound_latitude=bbox_wgs84.y_max,
        )
        bbox_object_84 = BoundingBox(
            crs="CRS:84",
            minx=bbox_wgs84.x_min,
            maxx=bbox_wgs84.x_max,
            miny=bbox_wgs84.y_min,
            maxy=bbox_wgs84.y_max,
        )
        return Layer(
            # we use a 0/1 instead True/False here since this also conforms to Chapter 7.2.4.7.1 in
            # https://github.com/opengisch/georama/blob/master/tests/maps/resources/wms/06-042_OpenGIS_Web_Map_Service_WMS_Implementation_Specification.pdf and opens
            # compatibility with older versions of WMS spec
            queryable=0,
            opaque=0,
            no_subsets=0,
            cascaded=0,
            name=Name(value=name),
            title=Title(value=title),
            abstract=Abstract(value=description),
            crs=[Crs(crs), Crs("CRS:84")],
            ex_geographic_bounding_box=ex_geographic_bounding_box_object,
            bounding_box=[bbox_object_storage, bbox_object_84],
            # TODO: We can obtain information about available styles from passed QML
            style=[
                Style(name=Name(style_name), title=Title(style_name.title()))
                for style_name in styles
            ],
        )

    def get_capabilities(self) -> WmsCapabilities:
        capabilities = self.get_capabilities_body()
        parser_config = ParserConfig(
            fail_on_unknown_attributes=False, fail_on_unknown_properties=False
        )
        decoder = DictDecoder(parser_config)
        for published_as in self.obtain_accessible_layers():
            dataset = published_as.bound_dataset
            source_crs = decoder.decode(dataset.crs, QslCrs)
            styles = decoder.decode(dataset.styles, List[QslStyle])
            bbox = BBox.from_string(dataset.bbox)
            bbox_wgs84 = BBox.from_string(dataset.bbox_wgs84)
            layer = self.create_layer(
                published_as.name,
                published_as.title,
                published_as.description,
                source_crs.auth_id,
                bbox,
                bbox_wgs84,
                [style.name for style in styles],
            )
            capabilities.capability.layer.layer.append(layer)
        # we use a 0/1 instead True/False here since this also conforms to Chapter 7.2.4.7.1 in
        # https://github.com/opengisch/georama/blob/master/tests/maps/resources/wms/06-042_OpenGIS_Web_Map_Service_WMS_Implementation_Specification.pdf and opens
        # compatibility with older versions of WMS spec
        capabilities.capability.layer.queryable = 0
        capabilities.capability.layer.opaque = 0
        capabilities.capability.layer.no_subsets = 0
        return capabilities

    @staticmethod
    def render_xml(capabilities: WmsCapabilities) -> str:
        serializer = XmlSerializer()
        return serializer.render(
            capabilities,
            ns_map={
                None: "http://www.opengis.net/wms",
                "xlink": "http://www.w3.org/1999/xlink",
            },
        )

    @staticmethod
    def render_json(capabilities: WmsCapabilities) -> str:
        serializer = JsonSerializer()
        return serializer.render(capabilities)
allowed_formats property
create_layer(name, title, description, crs, bbox, bbox_wgs84, styles) staticmethod
Source code in src/georama/maps/services/wms_1_3_0/get_capabilities.py
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
@staticmethod
def create_layer(
    name: str,
    title: str,
    description: str,
    crs: str,
    bbox: BBox,
    bbox_wgs84: BBox,
    styles: List[str],
) -> Layer:
    bbox_object_storage = BoundingBox(
        crs=crs,
        minx=bbox.x_min,
        maxx=bbox.x_max,
        miny=bbox.y_min,
        maxy=bbox.y_max,
    )
    ex_geographic_bounding_box_object = ExGeographicBoundingBox(
        west_bound_longitude=bbox_wgs84.x_min,
        east_bound_longitude=bbox_wgs84.x_max,
        south_bound_latitude=bbox_wgs84.y_min,
        north_bound_latitude=bbox_wgs84.y_max,
    )
    bbox_object_84 = BoundingBox(
        crs="CRS:84",
        minx=bbox_wgs84.x_min,
        maxx=bbox_wgs84.x_max,
        miny=bbox_wgs84.y_min,
        maxy=bbox_wgs84.y_max,
    )
    return Layer(
        # we use a 0/1 instead True/False here since this also conforms to Chapter 7.2.4.7.1 in
        # https://github.com/opengisch/georama/blob/master/tests/maps/resources/wms/06-042_OpenGIS_Web_Map_Service_WMS_Implementation_Specification.pdf and opens
        # compatibility with older versions of WMS spec
        queryable=0,
        opaque=0,
        no_subsets=0,
        cascaded=0,
        name=Name(value=name),
        title=Title(value=title),
        abstract=Abstract(value=description),
        crs=[Crs(crs), Crs("CRS:84")],
        ex_geographic_bounding_box=ex_geographic_bounding_box_object,
        bounding_box=[bbox_object_storage, bbox_object_84],
        # TODO: We can obtain information about available styles from passed QML
        style=[
            Style(name=Name(style_name), title=Title(style_name.title()))
            for style_name in styles
        ],
    )
get_capabilities()
Source code in src/georama/maps/services/wms_1_3_0/get_capabilities.py
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
def get_capabilities(self) -> WmsCapabilities:
    capabilities = self.get_capabilities_body()
    parser_config = ParserConfig(
        fail_on_unknown_attributes=False, fail_on_unknown_properties=False
    )
    decoder = DictDecoder(parser_config)
    for published_as in self.obtain_accessible_layers():
        dataset = published_as.bound_dataset
        source_crs = decoder.decode(dataset.crs, QslCrs)
        styles = decoder.decode(dataset.styles, List[QslStyle])
        bbox = BBox.from_string(dataset.bbox)
        bbox_wgs84 = BBox.from_string(dataset.bbox_wgs84)
        layer = self.create_layer(
            published_as.name,
            published_as.title,
            published_as.description,
            source_crs.auth_id,
            bbox,
            bbox_wgs84,
            [style.name for style in styles],
        )
        capabilities.capability.layer.layer.append(layer)
    # we use a 0/1 instead True/False here since this also conforms to Chapter 7.2.4.7.1 in
    # https://github.com/opengisch/georama/blob/master/tests/maps/resources/wms/06-042_OpenGIS_Web_Map_Service_WMS_Implementation_Specification.pdf and opens
    # compatibility with older versions of WMS spec
    capabilities.capability.layer.queryable = 0
    capabilities.capability.layer.opaque = 0
    capabilities.capability.layer.no_subsets = 0
    return capabilities
get_capabilities_body()
Source code in src/georama/maps/services/wms_1_3_0/get_capabilities.py
32
33
34
35
36
37
38
39
40
def get_capabilities_body(self) -> WmsCapabilities:
    config = Config()
    decoder_config = ParserConfig(
        fail_on_unknown_properties=False, fail_on_unknown_attributes=False
    )
    decoder = DictDecoder(decoder_config)
    service = decoder.decode(config.wms_1_3_0_service_config(self.url), Service)
    capapility = decoder.decode(config.wms_1_3_0_capability_config(self.url), Capability)
    return WmsCapabilities(service=service, capability=capapility)
render_json(capabilities) staticmethod
Source code in src/georama/maps/services/wms_1_3_0/get_capabilities.py
134
135
136
137
@staticmethod
def render_json(capabilities: WmsCapabilities) -> str:
    serializer = JsonSerializer()
    return serializer.render(capabilities)
render_xml(capabilities) staticmethod
Source code in src/georama/maps/services/wms_1_3_0/get_capabilities.py
123
124
125
126
127
128
129
130
131
132
@staticmethod
def render_xml(capabilities: WmsCapabilities) -> str:
    serializer = XmlSerializer()
    return serializer.render(
        capabilities,
        ns_map={
            None: "http://www.opengis.net/wms",
            "xlink": "http://www.w3.org/1999/xlink",
        },
    )

get_map

WmsGetMap

Bases: WmsOperation

Source code in src/georama/maps/services/wms_1_3_0/get_map.py
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
class WmsGetMap(WmsOperation):
    default_style_name = "default"

    def __init__(self, appname: str, url: str, user, model):
        super().__init__(appname, url, user, model)

    def prepare_job_content(self, service_params: WmsGetMapParams) -> QslGetMapJob | str:
        if not service_params.styles:
            logging.debug(
                "No styles were passed to the request, so we apply the default styles to all layers"
            )
            styles = [self.default_style_name] * len(service_params.layers)
        else:
            logging.debug("There were styles in the request. Processing them further...")
            styles = service_params.styles
            if len(styles) != len(service_params.layers):
                logging.debug(
                    "Layer and Style in query param are of different length. We stop here."
                )
                raise ValueError(
                    "Each passed layer needs a corresponding style (comma separated lists need to be of same length)."
                )
        for index, style in enumerate(styles.copy()):
            if style == "":
                styles[index] = self.default_style_name
        # finally we set the styles to the parameter to pass them to QSL
        service_params.STYLES = ",".join(styles)
        # we pass the requested layers to filter DB objects
        accessible_published_as = self.obtain_accessible_layers(service_params.layers)
        print(len(accessible_published_as))

        job = QslGetMapJob(
            # we set the extent buffer to zero, this is used to control rendering issues like
            # https://github.com/qgis/QGIS/issues/30251
            extent_buffer=0.0,
            service_params=service_params,
            raster_layers=[],
            vector_layers=[],
            custom_layers=[],
        )
        for index, published_as in enumerate(accessible_published_as):
            dataset = published_as.bound_dataset
            qsl_instance = dataset.to_qsl
            if isinstance(qsl_instance, Raster):
                job.raster_layers.append(qsl_instance)
            elif isinstance(qsl_instance, Vector):
                # since we will use this in the on a plain list of layers, the largest extent buffer
                # should be applied
                if published_as.extent_buffer > job.extent_buffer:
                    job.extent_buffer = published_as.extent_buffer
                job.vector_layers.append(qsl_instance)
            elif isinstance(qsl_instance, Custom):
                job.custom_layers.append(qsl_instance)
            else:
                logging.error(f"Found a QSL instance which is not expected! {qsl_instance}")
        return job
default_style_name = 'default' class-attribute instance-attribute
__init__(appname, url, user, model)
Source code in src/georama/maps/services/wms_1_3_0/get_map.py
12
13
def __init__(self, appname: str, url: str, user, model):
    super().__init__(appname, url, user, model)
prepare_job_content(service_params)
Source code in src/georama/maps/services/wms_1_3_0/get_map.py
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
def prepare_job_content(self, service_params: WmsGetMapParams) -> QslGetMapJob | str:
    if not service_params.styles:
        logging.debug(
            "No styles were passed to the request, so we apply the default styles to all layers"
        )
        styles = [self.default_style_name] * len(service_params.layers)
    else:
        logging.debug("There were styles in the request. Processing them further...")
        styles = service_params.styles
        if len(styles) != len(service_params.layers):
            logging.debug(
                "Layer and Style in query param are of different length. We stop here."
            )
            raise ValueError(
                "Each passed layer needs a corresponding style (comma separated lists need to be of same length)."
            )
    for index, style in enumerate(styles.copy()):
        if style == "":
            styles[index] = self.default_style_name
    # finally we set the styles to the parameter to pass them to QSL
    service_params.STYLES = ",".join(styles)
    # we pass the requested layers to filter DB objects
    accessible_published_as = self.obtain_accessible_layers(service_params.layers)
    print(len(accessible_published_as))

    job = QslGetMapJob(
        # we set the extent buffer to zero, this is used to control rendering issues like
        # https://github.com/qgis/QGIS/issues/30251
        extent_buffer=0.0,
        service_params=service_params,
        raster_layers=[],
        vector_layers=[],
        custom_layers=[],
    )
    for index, published_as in enumerate(accessible_published_as):
        dataset = published_as.bound_dataset
        qsl_instance = dataset.to_qsl
        if isinstance(qsl_instance, Raster):
            job.raster_layers.append(qsl_instance)
        elif isinstance(qsl_instance, Vector):
            # since we will use this in the on a plain list of layers, the largest extent buffer
            # should be applied
            if published_as.extent_buffer > job.extent_buffer:
                job.extent_buffer = published_as.extent_buffer
            job.vector_layers.append(qsl_instance)
        elif isinstance(qsl_instance, Custom):
            job.custom_layers.append(qsl_instance)
        else:
            logging.error(f"Found a QSL instance which is not expected! {qsl_instance}")
    return job

tests

urls

urlpatterns = [path('', views.OgcServer.as_view(), name='maps_ogc_entry'), path('/publish_as/wms/<str:dataset_type>/<str:dataset_id>', views.admin_publish_dataset_as_wms, name='maps_publish_dataset_as_wms')] module-attribute

views

log = logging.getLogger(__name__) module-attribute

OgcServer

Bases: View

Source code in src/georama/maps/views.py
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
class OgcServer(View):
    model = PublishedAsWms

    def wms_130_capabilities(self, request: HttpRequest, params: dict) -> HttpResponse:
        requested_format = params.get("FORMAT", "TEXT/XML")
        operation = WmsGetCapabilities(
            appname, f'{request.build_absolute_uri("maps")}?', request.user, self.model
        )
        if requested_format not in operation.allowed_formats:
            return HttpResponse(
                operation.render_operation_parsing_failed(
                    f"Format {requested_format} is not allowed. Allowed is {operation.allowed_formats}"
                ),
                status=400,
                content_type="text/xml",
            )
        if requested_format == "TEXT/XML":
            return HttpResponse(
                operation.render_xml(operation.get_capabilities()),
                content_type="text/xml",
            )
        elif requested_format == "APPLICATION/JSON":
            return HttpResponse(
                operation.render_json(operation.get_capabilities()),
                content_type="application/json",
            )

    def wfs_200_capabilities(self, request: HttpRequest, params: dict) -> HttpResponse:
        requested_format = params.get("FORMAT", "TEXT/XML")
        operation = WfsGetCapabilities(
            appname, f'{request.build_absolute_uri("maps")}?', request.user, self.model
        )

        if requested_format not in operation.allowed_formats:
            return HttpResponse(
                operation.render_operation_parsing_failed(
                    f"Format {requested_format} is not allowed. Allowed is {operation.allowed_formats}"
                ),
                status=400,
                content_type="text/xml",
            )
        if requested_format == "TEXT/XML":
            return HttpResponse(
                operation.render_xml(operation.get_capabilities()),
                content_type="text/xml",
            )
        elif requested_format == "APPLICATION/JSON":
            return HttpResponse(
                operation.render_json(operation.get_capabilities()),
                content_type="application/json",
            )

    def wfs_get_metadata(self, request: HttpRequest, params: dict) -> HttpResponse:
        requested_layer = params.get("LAYER")
        language = "en-US"
        requested_format = params.get("FORMAT", "TEXT/XML")
        operation = WfsGetMetadata(
            appname, f'{request.build_absolute_uri("maps")}?', request.user
        )
        if requested_layer:
            if requested_format not in operation.allowed_formats:
                return HttpResponse(
                    operation.render_operation_parsing_failed(
                        f"Format {requested_format} is not allowed. Allowed is {operation.allowed_formats}"
                    ),
                    status=400,
                    content_type="text/xml",
                )
            if requested_format == "TEXT/XML":
                return HttpResponse(
                    operation.render_xml(operation.get_metadata(requested_layer, language)),
                    content_type="text/xml",
                )
            elif requested_format == "APPLICATION/JSON":
                return HttpResponse(
                    operation.render_json(operation.get_metadata(requested_layer, language)),
                    content_type="application/json",
                )
        else:
            return HttpResponse(
                operation.render_operation_parsing_failed(
                    f"Query paramater 'layer' has to be set!"
                ),
                status=400,
                content_type="text/xml",
            )

    def sanitize_query_parameters(self, parameters: dict) -> dict:
        params = {}
        for key in parameters:
            if key.upper() == "LAYERS":
                params[str(key).upper()] = str(parameters[key])
            elif key.upper() == "STYLES":
                params[str(key).upper()] = str(parameters[key])
            elif key.upper() == "LAYER":
                params[str(key).upper()] = str(parameters[key])
            else:
                params[str(key).upper()] = str(parameters[key]).upper()
        return params

    def extract_layers(
        self, request: HttpRequest, service_params: WmsGetMapParams
    ) -> tuple[list[Raster], list[Vector], list[Custom], float]:
        accessible_raster: list[Raster] = []
        accessible_vector: list[Vector] = []
        accessible_custom: list[Custom] = []
        # we set the extent buffer to zero, this is used to control rendering issues like
        # https://github.com/qgis/QGIS/issues/30251
        vector_extent_buffer = 0.0
        for published_as in self.model.objects.filter(name__in=service_params.layers):
            if published_as.has_read_permission(request.user, appname):
                if isinstance(published_as.raster_dataset, RasterDataSet):
                    accessible_raster.append(published_as.raster_dataset.to_qsl)
                elif isinstance(published_as.vector_dataset, VectorDataSet):
                    # since we will use this in the on a plain list of layers, the largest extent buffer
                    # should be applied
                    if published_as.extent_buffer > vector_extent_buffer:
                        vector_extent_buffer = published_as.extent_buffer
                    accessible_vector.append(published_as.vector_dataset.to_qsl)
                elif isinstance(published_as.custom_dataset, CustomDataSet):
                    accessible_custom.append(published_as.custom_dataset.to_qsl)
                else:
                    raise NotImplementedError(
                        "linked dataset has to be RasterDataSet|VectorDataSet!"
                    )
        return accessible_raster, accessible_vector, accessible_custom, vector_extent_buffer

    async def get(self, request: HttpRequest, *args, **kwargs):
        # TODO: This is done because otherwise the queue cant be pointed to
        #   see this for further details: https://stackoverflow.com/questions/53724665/using-queues-results-in-asyncio-exception-got-future-future-pending-attached
        redis_queue = RedisQueue(Config().redis_url)

        params = self.sanitize_query_parameters(request.GET.dict())

        if "REQUEST" not in params:
            return HttpResponse("REQUEST parameter is mandatory", 400)

        if "SERVICE" not in params:
            if params["REQUEST"].upper() == "GETMETADATA":
                return await sync_to_async(self.wfs_get_metadata, thread_sensitive=True)(
                    request, params
                )
            else:
                return HttpResponse(
                    "Only request allowed without service param is GetMetadata", 400
                )

        if params["SERVICE"].upper() == "WMS":
            if params["REQUEST"] == "GETCAPABILITIES":
                if params.get("VERSION", "1.3.0") == "1.3.0":
                    return await sync_to_async(
                        self.wms_130_capabilities, thread_sensitive=True
                    )(request, params)
                else:
                    return HttpResponse("Only VERSION 1.3.0 is available", 400)
            elif params["REQUEST"] == "GETMAP":
                service_params = WmsGetMapParams.from_overloaded_dict(params)
                operation = WmsGetMap(
                    appname, f'{request.build_absolute_uri("maps")}?', request.user, self.model
                )
                try:
                    job = await sync_to_async(
                        operation.prepare_job_content, thread_sensitive=True
                    )(service_params)
                    print(job)
                except ValueError as e:
                    return HttpResponse(e, status=400, content_type="text/plain")
                except PermissionError as e:
                    return HttpResponse(e, status=403, content_type="text/plain")

            elif params["REQUEST"] == "GETFEATUREINFO":
                # this needs to be improved a bit, currently the layers are not sent to QSL.
                service_params = WmsGetFeatureInfoParams.from_overloaded_dict(params)
                job = QslGetFeatureInfoJob(service_params=service_params)
            else:
                return HttpResponse("Only WMS Service is available", 500)
            config = Config()
            result = await redis_queue.post(job, config.job_timeout)
            return HttpResponse(result.data, result.content_type)
        elif params["SERVICE"].upper() == "WFS":
            if params["REQUEST"] == "GETCAPABILITIES":
                if params.get("VERSION", "2.0.0") == "2.0.0":
                    return await sync_to_async(
                        self.wfs_200_capabilities, thread_sensitive=True
                    )(request, params)
                else:
                    return HttpResponse("Only VERSION 2.0.0 is available", 400)
        else:
            return HttpResponse("Only WMS|WFS Service is available", 400)

model = PublishedAsWms class-attribute instance-attribute

extract_layers(request, service_params)

Source code in src/georama/maps/views.py
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
def extract_layers(
    self, request: HttpRequest, service_params: WmsGetMapParams
) -> tuple[list[Raster], list[Vector], list[Custom], float]:
    accessible_raster: list[Raster] = []
    accessible_vector: list[Vector] = []
    accessible_custom: list[Custom] = []
    # we set the extent buffer to zero, this is used to control rendering issues like
    # https://github.com/qgis/QGIS/issues/30251
    vector_extent_buffer = 0.0
    for published_as in self.model.objects.filter(name__in=service_params.layers):
        if published_as.has_read_permission(request.user, appname):
            if isinstance(published_as.raster_dataset, RasterDataSet):
                accessible_raster.append(published_as.raster_dataset.to_qsl)
            elif isinstance(published_as.vector_dataset, VectorDataSet):
                # since we will use this in the on a plain list of layers, the largest extent buffer
                # should be applied
                if published_as.extent_buffer > vector_extent_buffer:
                    vector_extent_buffer = published_as.extent_buffer
                accessible_vector.append(published_as.vector_dataset.to_qsl)
            elif isinstance(published_as.custom_dataset, CustomDataSet):
                accessible_custom.append(published_as.custom_dataset.to_qsl)
            else:
                raise NotImplementedError(
                    "linked dataset has to be RasterDataSet|VectorDataSet!"
                )
    return accessible_raster, accessible_vector, accessible_custom, vector_extent_buffer

get(request, *args, **kwargs) async

Source code in src/georama/maps/views.py
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
async def get(self, request: HttpRequest, *args, **kwargs):
    # TODO: This is done because otherwise the queue cant be pointed to
    #   see this for further details: https://stackoverflow.com/questions/53724665/using-queues-results-in-asyncio-exception-got-future-future-pending-attached
    redis_queue = RedisQueue(Config().redis_url)

    params = self.sanitize_query_parameters(request.GET.dict())

    if "REQUEST" not in params:
        return HttpResponse("REQUEST parameter is mandatory", 400)

    if "SERVICE" not in params:
        if params["REQUEST"].upper() == "GETMETADATA":
            return await sync_to_async(self.wfs_get_metadata, thread_sensitive=True)(
                request, params
            )
        else:
            return HttpResponse(
                "Only request allowed without service param is GetMetadata", 400
            )

    if params["SERVICE"].upper() == "WMS":
        if params["REQUEST"] == "GETCAPABILITIES":
            if params.get("VERSION", "1.3.0") == "1.3.0":
                return await sync_to_async(
                    self.wms_130_capabilities, thread_sensitive=True
                )(request, params)
            else:
                return HttpResponse("Only VERSION 1.3.0 is available", 400)
        elif params["REQUEST"] == "GETMAP":
            service_params = WmsGetMapParams.from_overloaded_dict(params)
            operation = WmsGetMap(
                appname, f'{request.build_absolute_uri("maps")}?', request.user, self.model
            )
            try:
                job = await sync_to_async(
                    operation.prepare_job_content, thread_sensitive=True
                )(service_params)
                print(job)
            except ValueError as e:
                return HttpResponse(e, status=400, content_type="text/plain")
            except PermissionError as e:
                return HttpResponse(e, status=403, content_type="text/plain")

        elif params["REQUEST"] == "GETFEATUREINFO":
            # this needs to be improved a bit, currently the layers are not sent to QSL.
            service_params = WmsGetFeatureInfoParams.from_overloaded_dict(params)
            job = QslGetFeatureInfoJob(service_params=service_params)
        else:
            return HttpResponse("Only WMS Service is available", 500)
        config = Config()
        result = await redis_queue.post(job, config.job_timeout)
        return HttpResponse(result.data, result.content_type)
    elif params["SERVICE"].upper() == "WFS":
        if params["REQUEST"] == "GETCAPABILITIES":
            if params.get("VERSION", "2.0.0") == "2.0.0":
                return await sync_to_async(
                    self.wfs_200_capabilities, thread_sensitive=True
                )(request, params)
            else:
                return HttpResponse("Only VERSION 2.0.0 is available", 400)
    else:
        return HttpResponse("Only WMS|WFS Service is available", 400)

sanitize_query_parameters(parameters)

Source code in src/georama/maps/views.py
114
115
116
117
118
119
120
121
122
123
124
125
def sanitize_query_parameters(self, parameters: dict) -> dict:
    params = {}
    for key in parameters:
        if key.upper() == "LAYERS":
            params[str(key).upper()] = str(parameters[key])
        elif key.upper() == "STYLES":
            params[str(key).upper()] = str(parameters[key])
        elif key.upper() == "LAYER":
            params[str(key).upper()] = str(parameters[key])
        else:
            params[str(key).upper()] = str(parameters[key]).upper()
    return params

wfs_200_capabilities(request, params)

Source code in src/georama/maps/views.py
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
def wfs_200_capabilities(self, request: HttpRequest, params: dict) -> HttpResponse:
    requested_format = params.get("FORMAT", "TEXT/XML")
    operation = WfsGetCapabilities(
        appname, f'{request.build_absolute_uri("maps")}?', request.user, self.model
    )

    if requested_format not in operation.allowed_formats:
        return HttpResponse(
            operation.render_operation_parsing_failed(
                f"Format {requested_format} is not allowed. Allowed is {operation.allowed_formats}"
            ),
            status=400,
            content_type="text/xml",
        )
    if requested_format == "TEXT/XML":
        return HttpResponse(
            operation.render_xml(operation.get_capabilities()),
            content_type="text/xml",
        )
    elif requested_format == "APPLICATION/JSON":
        return HttpResponse(
            operation.render_json(operation.get_capabilities()),
            content_type="application/json",
        )

wfs_get_metadata(request, params)

Source code in src/georama/maps/views.py
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
def wfs_get_metadata(self, request: HttpRequest, params: dict) -> HttpResponse:
    requested_layer = params.get("LAYER")
    language = "en-US"
    requested_format = params.get("FORMAT", "TEXT/XML")
    operation = WfsGetMetadata(
        appname, f'{request.build_absolute_uri("maps")}?', request.user
    )
    if requested_layer:
        if requested_format not in operation.allowed_formats:
            return HttpResponse(
                operation.render_operation_parsing_failed(
                    f"Format {requested_format} is not allowed. Allowed is {operation.allowed_formats}"
                ),
                status=400,
                content_type="text/xml",
            )
        if requested_format == "TEXT/XML":
            return HttpResponse(
                operation.render_xml(operation.get_metadata(requested_layer, language)),
                content_type="text/xml",
            )
        elif requested_format == "APPLICATION/JSON":
            return HttpResponse(
                operation.render_json(operation.get_metadata(requested_layer, language)),
                content_type="application/json",
            )
    else:
        return HttpResponse(
            operation.render_operation_parsing_failed(
                f"Query paramater 'layer' has to be set!"
            ),
            status=400,
            content_type="text/xml",
        )

wms_130_capabilities(request, params)

Source code in src/georama/maps/views.py
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
def wms_130_capabilities(self, request: HttpRequest, params: dict) -> HttpResponse:
    requested_format = params.get("FORMAT", "TEXT/XML")
    operation = WmsGetCapabilities(
        appname, f'{request.build_absolute_uri("maps")}?', request.user, self.model
    )
    if requested_format not in operation.allowed_formats:
        return HttpResponse(
            operation.render_operation_parsing_failed(
                f"Format {requested_format} is not allowed. Allowed is {operation.allowed_formats}"
            ),
            status=400,
            content_type="text/xml",
        )
    if requested_format == "TEXT/XML":
        return HttpResponse(
            operation.render_xml(operation.get_capabilities()),
            content_type="text/xml",
        )
    elif requested_format == "APPLICATION/JSON":
        return HttpResponse(
            operation.render_json(operation.get_capabilities()),
            content_type="application/json",
        )

admin_publish_dataset_as_wms(request, dataset_type, dataset_id)

helper function to hide actual connection in the database but make publishing straight forward.

Source code in src/georama/maps/views.py
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
def admin_publish_dataset_as_wms(request: HttpRequest, dataset_type: str, dataset_id: str):
    """
    helper function to hide actual connection in the database but make publishing straight forward.
    """
    allowed_dataset_types = ["raster", "vector", "custom"]
    if dataset_type not in allowed_dataset_types:
        raise Http404
    if dataset_type == "raster":
        published_as_wms = PublishedAsWms(
            raster_dataset=RasterDataSet.objects.filter(id=dataset_id)[0]
        )
    elif dataset_type == "vector":
        published_as_wms = PublishedAsWms(
            vector_dataset=VectorDataSet.objects.filter(id=dataset_id)[0]
        )
    elif dataset_type == "custom":
        published_as_wms = PublishedAsWms(
            custom_dataset=CustomDataSet.objects.filter(id=dataset_id)[0]
        )
    else:
        raise Http404
    published_as_wms.save()
    return redirect("admin:maps_publishedaswms_changelist")