Skip to content

OdkCentral

Download a list of submissions from ODK Central.

Parameters:

Name Type Description Default
project_id int

The ID of the project on ODK Central

required
xforms list

A list of the XForms to down the submissions from

required
odk_credentials dict

The authentication credentials for ODK Collect

required

Returns:

Type Description
list

The submissions in JSON format

Source code in osm_fieldwork/OdkCentral.py
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
def downloadThread(project_id: int, xforms: list, odk_credentials: dict, filters: dict = None):
    """Download a list of submissions from ODK Central.

    Args:
        project_id (int): The ID of the project on ODK Central
        xforms (list): A list of the XForms to down the submissions from
        odk_credentials (dict): The authentication credentials for ODK Collect

    Returns:
        (list): The submissions in JSON format
    """
    timer = Timer(text="downloadThread() took {seconds:.0f}s")
    timer.start()
    data = list()
    # log.debug(f"downloadThread() called! {len(xforms)} xforms")
    for task in xforms:
        form = OdkForm(odk_credentials["url"], odk_credentials["user"], odk_credentials["passwd"])
        # submissions = form.getSubmissions(project_id, task, 0, False, True)
        subs = form.listSubmissions(project_id, task, filters)
        if not subs:
            log.error(f"Failed to get submissions for project ({project_id}) task ({task})")
            continue
        # log.debug(f"There are {len(subs)} submissions for {task}")
        if len(subs["value"]) > 0:
            data += subs["value"]
    # log.debug(f"There are {len(xforms)} Xforms, and {len(submissions)} submissions total")
    timer.stop()
    return data

options: show_source: false heading_level: 3

Bases: object

Parameters:

Name Type Description Default
url str

The URL of the ODK Central

None
user str

The user's account name on ODK Central

None
passwd str

The user's account password on ODK Central

None

Returns:

Type Description
OdkCentral

An instance of this class

Source code in osm_fieldwork/OdkCentral.py
 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
def __init__(
    self,
    url: Optional[str] = None,
    user: Optional[str] = None,
    passwd: Optional[str] = None,
):
    """A Class for accessing an ODK Central server via it's REST API.

    Args:
        url (str): The URL of the ODK Central
        user (str): The user's account name on ODK Central
        passwd (str):  The user's account password on ODK Central

    Returns:
        (OdkCentral): An instance of this class
    """
    if not url:
        url = os.getenv("ODK_CENTRAL_URL", default=None)
    self.url = url
    if not user:
        user = os.getenv("ODK_CENTRAL_USER", default=None)
    self.user = user
    if not passwd:
        passwd = os.getenv("ODK_CENTRAL_PASSWD", default=None)
    self.passwd = passwd
    verify = os.getenv("ODK_CENTRAL_SECURE", default=True)
    if type(verify) == str:
        self.verify = verify.lower() in ("true", "1", "t")
    else:
        self.verify = verify
    # Set cert bundle path for requests in environment
    if self.verify:
        os.environ["REQUESTS_CA_BUNDLE"] = "/etc/ssl/certs/ca-certificates.crt"
    # These are settings used by ODK Collect
    self.general = {
        "form_update_mode": "match_exactly",
        "autosend": "wifi_and_cellular",
    }
    # If there is a config file with authentication setting, use that
    # so we don't have to supply this all the time. This is only used
    # when odk_client is used, and no parameters are passed in.
    if not self.url:
        # log.debug("Configuring ODKCentral from file .odkcentral")
        home = os.getenv("HOME")
        config = ".odkcentral"
        filespec = home + "/" + config
        if os.path.exists(filespec):
            file = open(filespec, "r")
            for line in file:
                # Support embedded comments
                if line[0] == "#":
                    continue
                # Read the config file for authentication settings
                tmp = line.split("=")
                if tmp[0] == "url":
                    self.url = tmp[1].strip("\n")
                if tmp[0] == "user":
                    self.user = tmp[1].strip("\n")
                if tmp[0] == "passwd":
                    self.passwd = tmp[1].strip("\n")
        else:
            log.warning(f"Authentication settings missing from {filespec}")
    else:
        log.debug(f"ODKCentral configuration parsed: {self.url}")
    # Base URL for the REST API
    self.version = "v1"
    # log.debug(f"Using {self.version} API")
    self.base = self.url + "/" + self.version + "/"

    # Use a persistant connect, better for multiple requests
    self.session = requests.Session()

    # Authentication with session token
    self.authenticate()

    # These are just cached data from the queries
    self.projects = dict()
    self.users = list()

authenticate

authenticate(url=None, user=None, passwd=None)

Setup authenticate to an ODK Central server.

Parameters:

Name Type Description Default
url str

The URL of the ODK Central

None
user str

The user's account name on ODK Central

None
passwd str

The user's account password on ODK Central

None

Returns:

Type Description
Response

A response from ODK Central after auth

Source code in osm_fieldwork/OdkCentral.py
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
def authenticate(
    self,
    url: str = None,
    user: str = None,
    passwd: str = None,
):
    """Setup authenticate to an ODK Central server.

    Args:
        url (str): The URL of the ODK Central
        user (str): The user's account name on ODK Central
        passwd (str):  The user's account password on ODK Central

    Returns:
        (requests.Response): A response from ODK Central after auth
    """
    if not self.url:
        self.url = url
    if not self.user:
        self.user = user
    if not self.passwd:
        self.passwd = passwd
    # Enable persistent connection, create a cookie for this session
    self.session.headers.update({"accept": "odkcentral"})

    # Get a session token
    try:
        response = self.session.post(
            f"{self.base}sessions",
            json={
                "email": self.user,
                "password": self.passwd,
            },
        )
    except requests.exceptions.ConnectionError as request_error:
        # URL does not exist
        raise ConnectionError("Failed to connect to Central. Is the URL valid?") from request_error

    if response.status_code == 401:
        # Unauthorized, invalid credentials
        raise ConnectionError("ODK credentials are invalid, or may have changed. Please update them.") from None
    elif not response.ok:
        # Handle other errors
        response.raise_for_status()

    self.session.headers.update({"Authorization": f"Bearer {response.json().get('token')}"})

    # Connect to the server
    return self.session.get(self.url, verify=self.verify)

listProjects

listProjects()

Fetch a list of projects from an ODK Central server, and store it as an indexed list.

Returns:

Type Description
list

A list of projects on a ODK Central server

Source code in osm_fieldwork/OdkCentral.py
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
def listProjects(self):
    """Fetch a list of projects from an ODK Central server, and
    store it as an indexed list.

    Returns:
        (list): A list of projects on a ODK Central server
    """
    log.info("Getting a list of projects from %s" % self.url)
    url = f"{self.base}projects"
    result = self.session.get(url, verify=self.verify)
    projects = result.json()
    for project in projects:
        if isinstance(project, dict):
            if project.get("id") is not None:
                self.projects[project["id"]] = project
        else:
            log.info("No projects returned. Is this a first run?")
    return projects

createProject

createProject(name)

Create a new project on an ODK Central server if it doesn't already exist.

Parameters:

Name Type Description Default
name str

The name for the new project

required

Returns:

Type Description
json

The response from ODK Central

Source code in osm_fieldwork/OdkCentral.py
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
def createProject(
    self,
    name: str,
) -> dict:
    """Create a new project on an ODK Central server if it doesn't
    already exist.

    Args:
        name (str): The name for the new project

    Returns:
        (json): The response from ODK Central
    """
    log.debug(f"Checking if project named {name} exists already")
    exists = self.findProject(name=name)
    if exists:
        log.debug(f"Project named {name} already exists.")
        return exists
    else:
        url = f"{self.base}projects"
        log.debug(f"POSTing project {name} to {url} with verify={self.verify}")
        try:
            result = self.session.post(url, json={"name": name}, verify=self.verify, timeout=4)
            result.raise_for_status()
        except requests.exceptions.RequestException as e:
            log.error(e)
            log.error("Failed to submit to ODKCentral")
        json_response = result.json()
        log.debug(f"Returned: {json_response}")
        # update the internal list of projects
        self.listProjects()
        return json_response

deleteProject

deleteProject(project_id)

Delete a project on an ODK Central server.

Parameters:

Name Type Description Default
project_id int

The ID of the project on ODK Central

required

Returns:

Type Description
str

The project name

Source code in osm_fieldwork/OdkCentral.py
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
def deleteProject(
    self,
    project_id: int,
):
    """Delete a project on an ODK Central server.

    Args:
        project_id (int): The ID of the project on ODK Central

    Returns:
        (str): The project name
    """
    url = f"{self.base}projects/{project_id}"
    self.session.delete(url, verify=self.verify)
    # update the internal list of projects
    self.listProjects()
    return self.findProject(project_id=project_id)

findProject

findProject(name=None, project_id=None)

Get the project data from Central.

Parameters:

Name Type Description Default
name str

The name of the project

None

Returns:

Type Description
dict

the project data from ODK Central

Source code in osm_fieldwork/OdkCentral.py
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
def findProject(
    self,
    name: str = None,
    project_id: int = None,
):
    """Get the project data from Central.

    Args:
        name (str): The name of the project

    Returns:
        (dict): the project data from ODK Central
    """
    # First, populate self.projects
    self.listProjects()

    if self.projects:
        if name:
            log.debug(f"Finding project by name: {name}")
            for _key, value in self.projects.items():
                if name == value["name"]:
                    log.info(f"ODK project found: {name}")
                    return value
        if project_id:
            log.debug(f"Finding project by id: {project_id}")
            for _key, value in self.projects.items():
                if project_id == value["id"]:
                    log.info(f"ODK project found: {project_id}")
                    return value
    return None

findAppUser

findAppUser(user_id, name=None)

Get the data for an app user.

Parameters:

Name Type Description Default
user_id int

The user ID of the app-user on ODK Central

required
name str

The name of the app-user on ODK Central

None

Returns:

Type Description
dict

The data for an app-user on ODK Central

Source code in osm_fieldwork/OdkCentral.py
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
def findAppUser(
    self,
    user_id: int,
    name: str = None,
):
    """Get the data for an app user.

    Args:
        user_id (int): The user ID of the app-user on ODK Central
        name (str): The name of the app-user on ODK Central

    Returns:
        (dict): The data for an app-user on ODK Central
    """
    if self.appusers:
        if name is not None:
            result = [d for d in self.appusers if d["displayName"] == name]
            if result:
                return result[0]
            else:
                log.debug(f"No user found with name: {name}")
                return None
        if user_id is not None:
            result = [d for d in self.appusers if d["id"] == user_id]
            if result:
                return result[0]
            else:
                log.debug(f"No user found with id: {user_id}")
                return None
    return None

listUsers

listUsers()

Fetch a list of users on the ODK Central server.

Returns:

Type Description
list

A list of users on ODK Central, not app-users

Source code in osm_fieldwork/OdkCentral.py
344
345
346
347
348
349
350
351
352
353
354
def listUsers(self):
    """Fetch a list of users on the ODK Central server.

    Returns:
        (list): A list of users on ODK Central, not app-users
    """
    log.info("Getting a list of users from %s" % self.url)
    url = self.base + "users"
    result = self.session.get(url, verify=self.verify)
    self.users = result.json()
    return self.users

dump

dump()

Dump internal data structures, for debugging purposes only.

Source code in osm_fieldwork/OdkCentral.py
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
def dump(self):
    """Dump internal data structures, for debugging purposes only."""
    # print("URL: %s" % self.url)
    # print("User: %s" % self.user)
    # print("Passwd: %s" % self.passwd)
    print("REST URL: %s" % self.base)

    print("There are %d projects on this server" % len(self.projects))
    for id, data in self.projects.items():
        print("\t %s: %s" % (id, data["name"]))
    if self.users:
        print("There are %d users on this server" % len(self.users))
        for data in self.users:
            print("\t %s: %s" % (data["id"], data["email"]))
    else:
        print("There are no users on this server")

options: show_source: false heading_level: 3

Bases: OdkCentral

Class to manipulate a project on an ODK Central server.

user (str): The user's account name on ODK Central
passwd (str):  The user's account password on ODK Central.

Returns:

Type Description
OdkProject

An instance of this object

Source code in osm_fieldwork/OdkCentral.py
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
def __init__(
    self,
    url: Optional[str] = None,
    user: Optional[str] = None,
    passwd: Optional[str] = None,
):
    """Args:
        url (str): The URL of the ODK Central
        user (str): The user's account name on ODK Central
        passwd (str):  The user's account password on ODK Central.

    Returns:
        (OdkProject): An instance of this object
    """
    super().__init__(url, user, passwd)
    self.forms = list()
    self.submissions = list()
    self.data = None
    self.appusers = None
    self.id = None

getData

getData(keyword)

Parameters:

Name Type Description Default
keyword str

The keyword to search for.

required

Returns:

Type Description
json

The data for the keyword

Source code in osm_fieldwork/OdkCentral.py
398
399
400
401
402
403
404
405
406
407
408
def getData(
    self,
    keyword: str,
):
    """Args:
        keyword (str): The keyword to search for.

    Returns:
        (json): The data for the keyword
    """
    return self.data[keyword]

listForms

listForms(project_id, metadata=False)

Fetch a list of forms in a project on an ODK Central server.

Parameters:

Name Type Description Default
project_id int

The ID of the project on ODK Central

required

Returns:

Type Description
list

The list of XForms in this project

Source code in osm_fieldwork/OdkCentral.py
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
def listForms(self, project_id: int, metadata: bool = False):
    """Fetch a list of forms in a project on an ODK Central server.

    Args:
        project_id (int): The ID of the project on ODK Central

    Returns:
        (list): The list of XForms in this project
    """
    url = f"{self.base}projects/{project_id}/forms"
    if metadata:
        self.session.headers.update({"X-Extended-Metadata": "true"})
    result = self.session.get(url, verify=self.verify)
    self.forms = result.json()
    return self.forms

getAllSubmissions

getAllSubmissions(project_id, xforms=None, filters=None)

Fetch a list of submissions in a project on an ODK Central server.

Parameters:

Name Type Description Default
project_id int

The ID of the project on ODK Central

required
xforms list

The list of XForms to get the submissions of

None

Returns:

Type Description
json

All of the submissions for all of the XForm in a project

Source code in osm_fieldwork/OdkCentral.py
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
def getAllSubmissions(self, project_id: int, xforms: list = None, filters: dict = None):
    """Fetch a list of submissions in a project on an ODK Central server.

    Args:
        project_id (int): The ID of the project on ODK Central
        xforms (list): The list of XForms to get the submissions of

    Returns:
        (json): All of the submissions for all of the XForm in a project
    """
    # The number of threads is based on the CPU cores
    info = get_cpu_info()
    self.cores = info["count"]

    timer = Timer(text="getAllSubmissions() took {seconds:.0f}s")
    timer.start()
    if not xforms:
        xforms_data = self.listForms(project_id)
        xforms = [d["xmlFormId"] for d in xforms_data]

    chunk = round(len(xforms) / self.cores) if round(len(xforms) / self.cores) > 0 else 1
    last_slice = len(xforms) if len(xforms) % chunk == 0 else len(xforms) - 1
    cycle = range(0, (last_slice + chunk) + 1, chunk)
    future = None
    result = None
    previous = 0
    newdata = list()

    # single threaded for easier debugging
    # for current in cycle:
    #     if previous == current:
    #         continue
    #     result = downloadThread(project_id, xforms[previous:current])
    #     previous = current
    #     newdata += result

    odk_credentials = {"url": self.url, "user": self.user, "passwd": self.passwd}

    with concurrent.futures.ThreadPoolExecutor(max_workers=self.cores) as executor:
        futures = list()
        for current in cycle:
            if previous == current:
                continue
            result = executor.submit(downloadThread, project_id, xforms[previous:current], odk_credentials, filters)
            previous = current
            futures.append(result)
        for future in concurrent.futures.as_completed(futures):
            log.debug("Waiting for thread to complete..")
            data = future.result(timeout=10)
            if len(data) > 0:
                newdata += data
    timer.stop()
    return newdata

listAppUsers

listAppUsers(projectId)

Fetch a list of app users for a project from an ODK Central server.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required

Returns:

Type Description
list

A list of app-users on ODK Central for this project

Source code in osm_fieldwork/OdkCentral.py
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
def listAppUsers(
    self,
    projectId: int,
):
    """Fetch a list of app users for a project from an ODK Central server.

    Args:
        projectId (int): The ID of the project on ODK Central

    Returns:
        (list): A list of app-users on ODK Central for this project
    """
    url = f"{self.base}projects/{projectId}/app-users"
    result = self.session.get(url, verify=self.verify)
    self.appusers = result.json()
    return self.appusers

listAssignments

listAssignments(projectId)

List the Role & Actor assignments for users on a project.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required

Returns:

Type Description
json

The list of assignments

Source code in osm_fieldwork/OdkCentral.py
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
def listAssignments(
    self,
    projectId: int,
):
    """List the Role & Actor assignments for users on a project.

    Args:
        projectId (int): The ID of the project on ODK Central

    Returns:
        (json): The list of assignments
    """
    url = f"{self.base}projects/{projectId}/assignments"
    result = self.session.get(url, verify=self.verify)
    return result.json()

getDetails

getDetails(projectId)

Get all the details for a project on an ODK Central server.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required

Returns:

Type Description
json

Get the data about a project on ODK Central

Source code in osm_fieldwork/OdkCentral.py
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
def getDetails(
    self,
    projectId: int,
):
    """Get all the details for a project on an ODK Central server.

    Args:
        projectId (int): The ID of the project on ODK Central

    Returns:
        (json): Get the data about a project on ODK Central
    """
    url = f"{self.base}projects/{projectId}"
    result = self.session.get(url, verify=self.verify)
    self.data = result.json()
    return self.data

getFullDetails

getFullDetails(projectId)

Get extended details for a project on an ODK Central server.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required

Returns:

Type Description
json

Get the data about a project on ODK Central

Source code in osm_fieldwork/OdkCentral.py
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
def getFullDetails(
    self,
    projectId: int,
):
    """Get extended details for a project on an ODK Central server.

    Args:
        projectId (int): The ID of the project on ODK Central

    Returns:
        (json): Get the data about a project on ODK Central
    """
    url = f"{self.base}projects/{projectId}"
    self.session.headers.update({"X-Extended-Metadata": "true"})
    result = self.session.get(url, verify=self.verify)
    return result.json()

dump

dump()

Dump internal data structures, for debugging purposes only.

Source code in osm_fieldwork/OdkCentral.py
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
def dump(self):
    """Dump internal data structures, for debugging purposes only."""
    super().dump()
    if self.forms:
        print("There are %d forms in this project" % len(self.forms))
        for data in self.forms:
            print("\t %s(%s): %s" % (data["xmlFormId"], data["version"], data["name"]))
    if self.data:
        print("Project ID: %s" % self.data["id"])
    print("There are %d submissions in this project" % len(self.submissions))
    for data in self.submissions:
        print("\t%s: %s" % (data["instanceId"], data["createdAt"]))
    print("There are %d app users in this project" % len(self.appusers))
    for data in self.appusers:
        print("\t%s: %s" % (data["id"], data["displayName"]))

updateReviewState

updateReviewState(projectId, xmlFormId, instanceId, review_state)

Updates the review state of a submission in ODK Central.

Parameters:

Name Type Description Default
projectId int

The ID of the odk project.

required
xmlFormId str

The ID of the form.

required
instanceId str

The ID of the submission instance.

required
review_state dict

The updated review state.

required
Source code in osm_fieldwork/OdkCentral.py
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
def updateReviewState(self, projectId: int, xmlFormId: str, instanceId: str, review_state: dict) -> dict:
    """Updates the review state of a submission in ODK Central.

    Args:
        projectId (int): The ID of the odk project.
        xmlFormId (str): The ID of the form.
        instanceId (str): The ID of the submission instance.
        review_state (dict): The updated review state.
    """
    try:
        url = f"{self.base}projects/{projectId}/forms/{xmlFormId}/submissions/{instanceId}"
        result = self.session.patch(url, json=review_state)
        result.raise_for_status()
        return result.json()
    except Exception as e:
        log.error(f"Error updating review state: {e}")
        return {}

options: show_source: false heading_level: 3

Bases: OdkCentral

Class to manipulate a form on an ODK Central server.

user (str): The user's account name on ODK Central
passwd (str):  The user's account password on ODK Central.

Returns:

Type Description
OdkForm

An instance of this object

Source code in osm_fieldwork/OdkCentral.py
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
def __init__(
    self,
    url: Optional[str] = None,
    user: Optional[str] = None,
    passwd: Optional[str] = None,
):
    """Args:
        url (str): The URL of the ODK Central
        user (str): The user's account name on ODK Central
        passwd (str):  The user's account password on ODK Central.

    Returns:
        (OdkForm): An instance of this object
    """
    super().__init__(url, user, passwd)
    self.name = None
    # Draft is for a form that isn't published yet
    self.draft = False
    self.published = False
    # this is only populated if self.getDetails() is called first.
    self.data = {}
    self.attach = []
    self.media = {}
    self.xml = None
    self.submissions = []
    self.appusers = {}

getDetails

getDetails(projectId, xform)

Get all the details for a form on an ODK Central server.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required
xform str

The XForm to get the details of from ODK Central

required

Returns:

Type Description
json

The data for this XForm

Source code in osm_fieldwork/OdkCentral.py
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
def getDetails(
    self,
    projectId: int,
    xform: str,
):
    """Get all the details for a form on an ODK Central server.

    Args:
        projectId (int): The ID of the project on ODK Central
        xform (str): The XForm to get the details of from ODK Central

    Returns:
        (json): The data for this XForm
    """
    url = f"{self.base}projects/{projectId}/forms/{xform}"
    result = self.session.get(url, verify=self.verify)
    self.data = result.json()
    return result

getFullDetails

getFullDetails(projectId, xform)

Get the full details for a form on an ODK Central server.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required
xform str

The XForm to get the details of from ODK Central

required

Returns:

Type Description
json

The data for this XForm

Source code in osm_fieldwork/OdkCentral.py
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
def getFullDetails(
    self,
    projectId: int,
    xform: str,
):
    """Get the full details for a form on an ODK Central server.

    Args:
        projectId (int): The ID of the project on ODK Central
        xform (str): The XForm to get the details of from ODK Central

    Returns:
        (json): The data for this XForm
    """
    url = f"{self.base}projects/{projectId}/forms/{xform}"
    self.session.headers.update({"X-Extended-Metadata": "true"})
    result = self.session.get(url, verify=self.verify)
    return result.json()

listSubmissionBasicInfo

listSubmissionBasicInfo(projectId, xform)

Fetch a list of submission instances basic information for a given form.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required
xform str

The XForm to get the details of from ODK Central

required

Returns:

Type Description
json

The data for this XForm

Source code in osm_fieldwork/OdkCentral.py
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
def listSubmissionBasicInfo(
    self,
    projectId: int,
    xform: str,
):
    """Fetch a list of submission instances basic information for a given form.

    Args:
        projectId (int): The ID of the project on ODK Central
        xform (str): The XForm to get the details of from ODK Central

    Returns:
        (json): The data for this XForm
    """
    url = f"{self.base}projects/{projectId}/forms/{xform}/submissions"
    result = self.session.get(url, verify=self.verify)
    return result.json()

listSubmissions

listSubmissions(projectId, xform, filters=None)

Fetch a list of submission instances for a given form.

Returns data in format:

{ "value":[], "@odata.context": "URL/v1/projects/52/forms/103.svc/$metadata#Submissions", "@odata.count":0 }

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required
xform str

The XForm to get the details of from ODK Central

required

Returns:

Type Description
json

The JSON of Submissions.

Source code in osm_fieldwork/OdkCentral.py
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
def listSubmissions(self, projectId: int, xform: str, filters: dict = None):
    """Fetch a list of submission instances for a given form.

    Returns data in format:

    {
        "value":[],
        "@odata.context": "URL/v1/projects/52/forms/103.svc/$metadata#Submissions",
        "@odata.count":0
    }

    Args:
        projectId (int): The ID of the project on ODK Central
        xform (str): The XForm to get the details of from ODK Central

    Returns:
        (json): The JSON of Submissions.
    """
    url = f"{self.base}projects/{projectId}/forms/{xform}.svc/Submissions"
    try:
        result = self.session.get(url, params=filters, verify=self.verify)
        result.raise_for_status()  # Raise an error for non-2xx status codes
        self.submissions = result.json()
        return self.submissions
    except Exception as e:
        log.error(f"Error fetching submissions: {e}")
        return {}

listAssignments

listAssignments(projectId, xform)

List the Role & Actor assignments for users on a project.

Fetch a list of submission instances basic information for a given form.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required
xform str

The XForm to get the details of from ODK Central

required

Returns:

Type Description
json

The data for this XForm

Source code in osm_fieldwork/OdkCentral.py
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
def listAssignments(
    self,
    projectId: int,
    xform: str,
):
    """List the Role & Actor assignments for users on a project.

    Fetch a list of submission instances basic information for a given form.

    Args:
        projectId (int): The ID of the project on ODK Central
        xform (str): The XForm to get the details of from ODK Central

    Returns:
        (json): The data for this XForm
    """
    url = f"{self.base}projects/{projectId}/forms/{xform}/assignments"
    result = self.session.get(url, verify=self.verify)
    return result.json()

getSubmissions

getSubmissions(projectId, xform, submission_id, disk=False, json=True)

Fetch a CSV or JSON file of the submissions without media to a survey form.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required
xform str

The XForm to get the details of from ODK Central

required
submission_id int

The ID of the submissions to download

required
disk bool

Whether to write the downloaded file to disk

False
json bool

Download JSON or CSV format

True

Returns:

Type Description
bytes

The list of submissions as JSON or CSV bytes object.

Source code in osm_fieldwork/OdkCentral.py
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
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
def getSubmissions(
    self,
    projectId: int,
    xform: str,
    submission_id: int,
    disk: bool = False,
    json: bool = True,
):
    """Fetch a CSV or JSON file of the submissions without media to a survey form.

    Args:
        projectId (int): The ID of the project on ODK Central
        xform (str): The XForm to get the details of from ODK Central
        submission_id (int): The ID of the submissions to download
        disk (bool): Whether to write the downloaded file to disk
        json (bool): Download JSON or CSV format

    Returns:
        (bytes): The list of submissions as JSON or CSV bytes object.
    """
    now = datetime.now()
    timestamp = f"{now.year}_{now.hour}_{now.minute}"

    if json:
        url = self.base + f"projects/{projectId}/forms/{xform}.svc/Submissions"
        filespec = f"{xform}_{timestamp}.json"
    else:
        url = self.base + f"projects/{projectId}/forms/{xform}/submissions"
        filespec = f"{xform}_{timestamp}.csv"

    if submission_id:
        url = url + f"('{submission_id}')"

    # log.debug(f'Getting submissions for {projectId}, Form {xform}')
    result = self.session.get(
        url,
        headers=dict({"Content-Type": "application/json", "accept": "odkcentral"}, **self.session.headers),
        verify=self.verify,
    )
    if result.status_code == 200:
        if disk:
            # id = self.forms[0]['xmlFormId']
            try:
                file = open(filespec, "xb")
                file.write(result.content)
            except FileExistsError:
                file = open(filespec, "wb")
                file.write(result.content)
            log.info("Wrote output file %s" % filespec)
            file.close()
        return result.content
    else:
        log.error(f"Submissions for {projectId}, Form {xform}" + " doesn't exist")
        return bytes()

getSubmissionMedia

getSubmissionMedia(projectId, xform)

Fetch a ZIP file of the submissions with media to a survey form.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required
xform str

The XForm to get the details of from ODK Central

required

Returns:

Type Description
list

The media file

Source code in osm_fieldwork/OdkCentral.py
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
def getSubmissionMedia(
    self,
    projectId: int,
    xform: str,
):
    """Fetch a ZIP file of the submissions with media to a survey form.

    Args:
        projectId (int): The ID of the project on ODK Central
        xform (str): The XForm to get the details of from ODK Central

    Returns:
        (list): The media file
    """
    url = self.base + f"projects/{projectId}/forms/{xform}/submissions.csv.zip"
    result = self.session.get(url, verify=self.verify)
    return result

getSubmissionPhoto

getSubmissionPhoto(projectId, instanceID, xform, filename)

Fetch a specific attachment by filename from a submission to a form.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required
instanceID(str)

The ID of the submission on ODK Central

required
xform str

The XForm to get the details of from ODK Central

required
filename str

The name of the attachment for the XForm on ODK Central

required

Returns:

Type Description
bytes

The media data

Source code in osm_fieldwork/OdkCentral.py
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
def getSubmissionPhoto(
    self,
    projectId: int,
    instanceID: str,
    xform: str,
    filename: str,
):
    """Fetch a specific attachment by filename from a submission to a form.

    Args:
        projectId (int): The ID of the project on ODK Central
        instanceID(str): The ID of the submission on ODK Central
        xform (str): The XForm to get the details of from ODK Central
        filename (str): The name of the attachment for the XForm on ODK Central

    Returns:
        (bytes): The media data
    """
    url = f"{self.base}projects/{projectId}/forms/{xform}/submissions/{instanceID}/attachments/{filename}"
    result = self.session.get(url, verify=self.verify)
    if result.status_code == 200:
        log.debug(f"fetched {filename} from Central")
    else:
        status = result.json()
        log.error(f"Couldn't fetch {filename} from Central: {status['message']}")
    return result.content

addMedia

addMedia(media, filespec)

Add a data file to this form.

Parameters:

Name Type Description Default
media str

The media file

required
filespec str

the name of the media

required
Source code in osm_fieldwork/OdkCentral.py
836
837
838
839
840
841
842
843
844
845
846
847
848
def addMedia(
    self,
    media: bytes,
    filespec: str,
):
    """Add a data file to this form.

    Args:
        media (str): The media file
        filespec (str): the name of the media
    """
    # FIXME: this also needs the data
    self.media[filespec] = media

addXMLForm

addXMLForm(projectId, xmlFormId, xform)

Add an XML file to this form.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required
xform str

The XForm to get the details of from ODK Central

required
Source code in osm_fieldwork/OdkCentral.py
850
851
852
853
854
855
856
857
858
859
860
861
862
def addXMLForm(
    self,
    projectId: int,
    xmlFormId: int,
    xform: str,
):
    """Add an XML file to this form.

    Args:
        projectId (int): The ID of the project on ODK Central
        xform (str): The XForm to get the details of from ODK Central
    """
    self.xml = xform

listMedia

listMedia(projectId, xform)

List all the attchements for this form.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required
xform str

The XForm to get the details of from ODK Central

required

Returns:

Type Description
list

A list of al the media files for this project

Source code in osm_fieldwork/OdkCentral.py
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
def listMedia(
    self,
    projectId: int,
    xform: str,
):
    """List all the attchements for this form.

    Args:
        projectId (int): The ID of the project on ODK Central
        xform (str): The XForm to get the details of from ODK Central

    Returns:
        (list): A list of al the media files for this project
    """
    if self.draft:
        url = f"{self.base}projects/{projectId}/forms/{xform}/draft/attachments"
    else:
        url = f"{self.base}projects/{projectId}/forms/{xform}/attachments"
    result = self.session.get(url, verify=self.verify)
    self.media = result.json()
    return self.media

validateMedia

validateMedia(filename)

Validate the specified filename is present in the XForm.

Source code in osm_fieldwork/OdkCentral.py
886
887
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
def validateMedia(self, filename: str):
    """Validate the specified filename is present in the XForm."""
    if not self.xml:
        return
    xform_filenames = []
    namespaces = {
        "h": "http://www.w3.org/1999/xhtml",
        "odk": "http://www.opendatakit.org/xforms",
        "xforms": "http://www.w3.org/2002/xforms",
    }

    root = ElementTree.fromstring(self.xml)
    instances = root.findall(".//xforms:model/xforms:instance[@src]", namespaces)

    for inst in instances:
        src_value = inst.attrib.get("src", "")
        if src_value.startswith("jr://"):
            src_value = src_value[len("jr://") :]  # Remove jr:// prefix
        if src_value.startswith("file/"):
            src_value = src_value[len("file/") :]  # Remove file/ prefix
        xform_filenames.append(src_value)

    if filename not in xform_filenames:
        log.error(f"Filename ({filename}) is not present in XForm media: {xform_filenames}")
        return False

    return True

uploadMedia

uploadMedia(projectId, form_name, data, filename=None)

Upload an attachement to the ODK Central server.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required
form_name str

The XForm to get the details of from ODK Central

required
data (str, Path, BytesIO)

The file path or BytesIO media file

required
filename str

If BytesIO object used, provide a file name.

None

Returns:

Name Type Description
result Response

The response object.

Source code in osm_fieldwork/OdkCentral.py
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
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
978
979
980
981
982
983
984
def uploadMedia(
    self,
    projectId: int,
    form_name: str,
    data: Union[str, Path, BytesIO],
    filename: Optional[str] = None,
) -> Optional[requests.Response]:
    """Upload an attachement to the ODK Central server.

    Args:
        projectId (int): The ID of the project on ODK Central
        form_name (str): The XForm to get the details of from ODK Central
        data (str, Path, BytesIO): The file path or BytesIO media file
        filename (str): If BytesIO object used, provide a file name.

    Returns:
        result (requests.Response): The response object.
    """
    # BytesIO memory object
    if isinstance(data, BytesIO):
        if filename is None:
            log.error("Cannot pass BytesIO object and not include the filename arg")
            return None
        media = data.getvalue()
    # Filepath
    elif isinstance(data, str) or isinstance(data, Path):
        media_file_path = Path(data)
        if not media_file_path.exists():
            log.error(f"File does not exist on disk: {data}")
            return None
        with open(media_file_path, "rb") as file:
            media = file.read()
        filename = str(Path(data).name)

    # Validate filename present in XForm
    if self.xml:
        if not self.validateMedia(filename):
            return None

    # Must first convert to draft if already published
    if not self.draft or self.published:
        # TODO should this use self.createForm ?
        log.debug(f"Updating form ({form_name}) to draft")
        url = f"{self.base}projects/{projectId}/forms/{form_name}/draft?ignoreWarnings=true"
        result = self.session.post(url, verify=self.verify)
        if result.status_code != 200:
            status = result.json()
            log.error(f"Couldn't modify {form_name} to draft: {status['message']}")
            return None

    # Upload the media
    url = f"{self.base}projects/{projectId}/forms/{form_name}/draft/attachments/{filename}"
    log.debug(f"Uploading media to URL: {url}")
    result = self.session.post(
        url, data=media, headers=dict({"Content-Type": "*/*"}, **self.session.headers), verify=self.verify
    )

    if result.status_code == 200:
        log.debug(f"Uploaded {filename} to Central")
    else:
        status = result.json()
        log.error(f"Couldn't upload {filename} to Central: {status['message']}")
        return None

    # Publish the draft by default
    if self.published:
        self.publishForm(projectId, form_name)

    self.addMedia(media, filename)

    return result

getMedia

getMedia(projectId, xform, filename)

Fetch a specific attachment by filename from a submission to a form.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required
xform str

The XForm to get the details of from ODK Central

required
filename str

The name of the attachment for the XForm on ODK Central

required

Returns:

Type Description
bytes

The media data

Source code in osm_fieldwork/OdkCentral.py
 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
def getMedia(
    self,
    projectId: int,
    xform: str,
    filename: str,
):
    """Fetch a specific attachment by filename from a submission to a form.

    Args:
        projectId (int): The ID of the project on ODK Central
        xform (str): The XForm to get the details of from ODK Central
        filename (str): The name of the attachment for the XForm on ODK Central

    Returns:
        (bytes): The media data
    """
    if self.draft:
        url = f"{self.base}projects/{projectId}/forms/{xform}/draft/attachments/{filename}"
    else:
        url = f"{self.base}projects/{projectId}/forms/{xform}/attachments/{filename}"
    result = self.session.get(url, verify=self.verify)
    if result.status_code == 200:
        log.debug(f"fetched {filename} from Central")
    else:
        status = result.json()
        log.error(f"Couldn't fetch {filename} from Central: {status['message']}")
    self.addMedia(result.content, filename)
    return self.media

createForm

createForm(projectId, data, form_name=None, publish=False)

Create a new form on an ODK Central server.

  • If no form_name is passed, the form name is generated by default in draft. If the publish param is also passed, then the form is published.
  • If form_name is passed, a new form is created from this in draft state. This copies across all attachments.
Note

The form name (xmlFormId) is generated from the id="…" attribute immediately inside the tag of the XForm XML.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required
form_name str

The XForm to get the details of from ODK Central

None
data (str, Path, BytesIO)

The XForm file path, or BytesIO memory obj

required
publish bool

If the new form should be published. Only valid if form_name is not passed, i.e. a new form.

False

Returns:

Type Description
(str, Optional)

The form name, else None if failure.

Source code in osm_fieldwork/OdkCentral.py
1015
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
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
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
1101
1102
1103
1104
1105
1106
1107
1108
1109
def createForm(
    self,
    projectId: int,
    data: Union[str, Path, BytesIO],
    form_name: Optional[str] = None,
    publish: Optional[bool] = False,
) -> Optional[str]:
    """Create a new form on an ODK Central server.

    - If no form_name is passed, the form name is generated by default in draft.
        If the publish param is also passed, then the form is published.
    - If form_name is passed, a new form is created from this in draft state.
        This copies across all attachments.

    Note:
        The form name (xmlFormId) is generated from the id="…" attribute
        immediately inside the <instance> tag of the XForm XML.

    Args:
        projectId (int): The ID of the project on ODK Central
        form_name (str): The XForm to get the details of from ODK Central
        data (str, Path, BytesIO): The XForm file path, or BytesIO memory obj
        publish (bool): If the new form should be published.
            Only valid if form_name is not passed, i.e. a new form.

    Returns:
        (str, Optional): The form name, else None if failure.
    """
    # BytesIO memory object
    if isinstance(data, BytesIO):
        self.xml = data.getvalue().decode("utf-8")
    # Filepath
    elif isinstance(data, str) or isinstance(data, Path):
        xml_path = Path(data)
        if not xml_path.exists():
            log.error(f"File does not exist on disk: {data}")
            return None
        # Read the XML or XLS file
        with open(xml_path, "rb") as xml_file:
            self.xml = xml_file.read()
        log.debug("Read %d bytes from %s" % (len(self.xml), data))

    if form_name or self.draft:
        self.draft = True
        log.debug(f"Creating draft from template form: {form_name}")
        url = f"{self.base}projects/{projectId}/forms/{form_name}/draft?ignoreWarnings=true"
    else:
        # This is not a draft form, its an entirely new form (even if publish=false)
        log.debug("Creating new form, with name determined from form_id field")
        self.published = True if publish else False
        url = f"{self.base}projects/{projectId}/forms?ignoreWarnings=true&{'publish=true' if publish else ''}"

    result = self.session.post(
        url, data=self.xml, headers=dict({"Content-Type": "application/xml"}, **self.session.headers), verify=self.verify
    )

    if result.status_code != 200:
        try:
            status = result.json()
            msg = status.get("message", "Unknown error")
            if result.status_code == 409:
                log.warning(msg)
                last_full_stop_index = msg.rfind(".")
                last_comma_index = msg.rfind(",")
                if last_full_stop_index != -1 and last_comma_index != -1:
                    # Extract xmlFormId from error msg
                    xmlFormId = msg[last_comma_index + 1 : last_full_stop_index].strip()
                    return xmlFormId
                else:
                    log.warning("Unable to extract xmlFormId from error message")
                    return None
            else:
                log.error(f"Couldn't create {form_name} on Central: {msg}")
                return None
        except json.decoder.JSONDecodeError:
            log.error(f"Couldn't create {form_name} on Central: Error decoding JSON response")
            return None

    try:
        # Log response to terminal
        json_data = result.json()
    except json.decoder.JSONDecodeError:
        log.error("Could not parse response json during form creation")
        return None

    # epdb.st()
    # FIXME: should update self.forms with the new form

    if "success" in json_data:
        log.debug(f"Created draft XForm on ODK server: ({form_name})")
        return form_name

    new_form_name = json_data.get("xmlFormId")
    log.info(f"Created XForm on ODK server: ({new_form_name})")
    return new_form_name

deleteForm

deleteForm(projectId, xform)

Delete a form from an ODK Central server.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required
xform str

The XForm to get the details of from ODK Central

required

Returns: (bool): did it get deleted

Source code in osm_fieldwork/OdkCentral.py
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
def deleteForm(
    self,
    projectId: int,
    xform: str,
):
    """Delete a form from an ODK Central server.

    Args:
        projectId (int): The ID of the project on ODK Central
        xform (str): The XForm to get the details of from ODK Central
    Returns:
        (bool): did it get deleted
    """
    # FIXME: If your goal is to prevent it from showing up on survey clients like ODK Collect, consider
    # setting its state to closing or closed
    if self.draft:
        log.debug(f"Deleting draft form on ODK server: ({xform})")
        url = f"{self.base}projects/{projectId}/forms/{xform}/draft"
    else:
        log.debug(f"Deleting form on ODK server: ({xform})")
        url = f"{self.base}projects/{projectId}/forms/{xform}"

    result = self.session.delete(url, verify=self.verify)
    if not result.ok:
        try:
            # Log response to terminal
            json_data = result.json()
            log.warning(json_data)
            return False
        except json.decoder.JSONDecodeError:
            log.error("Could not parse response json during form deletion. " f"status_code={result.status_code}")
        finally:
            return False

    self.draft = False
    self.published = False

    return True

publishForm

publishForm(projectId, xform)

Publish a draft form. When creating a form that isn't a draft, it can get publised then.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required
xform str

The XForm to get the details of from ODK Central

required

Returns:

Type Description
int

The staus code from ODK Central

Source code in osm_fieldwork/OdkCentral.py
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
def publishForm(
    self,
    projectId: int,
    xform: str,
) -> int:
    """Publish a draft form. When creating a form that isn't a draft, it can get publised then.

    Args:
        projectId (int): The ID of the project on ODK Central
        xform (str): The XForm to get the details of from ODK Central

    Returns:
        (int): The staus code from ODK Central
    """
    version = datetime.now().strftime("%Y-%m-%dT%H:%M:%S.%f")

    url = f"{self.base}projects/{projectId}/forms/{xform}/draft/publish?version={version}"
    result = self.session.post(url, verify=self.verify)
    if result.status_code != 200:
        status = result.json()
        log.error(f"Couldn't publish {xform} on Central: {status['message']}")
    else:
        log.info(f"Published {xform} on Central.")

    self.draft = False
    self.published = True

    return result.status_code

formFields

formFields(projectId, xform)

Retrieves the form fields for a xform from odk central.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required
xform str

The XForm to get the details of from ODK Central

required

Returns:

Name Type Description
dict

A json object containing the form fields.

Source code in osm_fieldwork/OdkCentral.py
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
def formFields(self, projectId: int, xform: str):
    """Retrieves the form fields for a xform from odk central.

    Args:
        projectId (int): The ID of the project on ODK Central
        xform (str): The XForm to get the details of from ODK Central

    Returns:
        dict: A json object containing the form fields.

    """
    url = f"{self.base}projects/{projectId}/forms/{xform}/fields?odata=true"
    response = self.session.get(url, verify=self.verify)

    # TODO wrap this logic and put in every method requiring form name
    if response.status_code != 200:
        if response.status_code == 404:
            msg = f"The ODK form you referenced does not exist yet: {xform}"
            log.debug(msg)
            raise requests.exceptions.HTTPError(msg)
        log.debug(f"Failed to retrieve form fields. Status code: {response.status_code}")
        response.raise_for_status()

    return response.json()

dump

dump()

Dump internal data structures, for debugging purposes only.

Source code in osm_fieldwork/OdkCentral.py
1204
1205
1206
1207
1208
1209
1210
1211
1212
def dump(self):
    """Dump internal data structures, for debugging purposes only."""
    # super().dump()
    entries = len(self.media.keys())
    print("Form has %d attachments" % entries)
    for filename, content in self.media:
        print("Filename: %s" % filename)
        print("Content length: %s" % len(content))
        print("")

options: show_source: false heading_level: 3

Bases: OdkCentral

Parameters:

Name Type Description Default
url str

The URL of the ODK Central

None
user str

The user's account name on ODK Central

None
passwd str

The user's account password on ODK Central

None

Returns:

Type Description
OdkAppUser

An instance of this object

Source code in osm_fieldwork/OdkCentral.py
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
def __init__(
    self,
    url: Optional[str] = None,
    user: Optional[str] = None,
    passwd: Optional[str] = None,
):
    """A Class for app user data.

    Args:
        url (str): The URL of the ODK Central
        user (str): The user's account name on ODK Central
        passwd (str):  The user's account password on ODK Central

    Returns:
        (OdkAppUser): An instance of this object
    """
    super().__init__(url, user, passwd)
    self.user = None
    self.qrcode = None
    self.id = None

create

create(projectId, name)

Create a new app-user for a form.

Example response:

{ "createdAt": "2018-04-18T23:19:14.802Z", "displayName": "My Display Name", "id": 115, "type": "user", "updatedAt": "2018-04-18T23:42:11.406Z", "deletedAt": "2018-04-18T23:42:11.406Z", "token": "d1!E2GVHgpr4h9bpxxtqUJ7EVJ1Q$Dusm2RBXg8XyVJMCBCbvyE8cGacxUx3bcUT", "projectId": 1 }

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required
name str

The name of the XForm

required

Returns:

Type Description
dict

The response JSON from ODK Central

Source code in osm_fieldwork/OdkCentral.py
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
def create(
    self,
    projectId: int,
    name: str,
):
    """Create a new app-user for a form.

    Example response:

    {
    "createdAt": "2018-04-18T23:19:14.802Z",
    "displayName": "My Display Name",
    "id": 115,
    "type": "user",
    "updatedAt": "2018-04-18T23:42:11.406Z",
    "deletedAt": "2018-04-18T23:42:11.406Z",
    "token": "d1!E2GVHgpr4h9bpxxtqUJ7EVJ1Q$Dusm2RBXg8XyVJMCBCbvyE8cGacxUx3bcUT",
    "projectId": 1
    }

    Args:
        projectId (int): The ID of the project on ODK Central
        name (str): The name of the XForm

    Returns:
        (dict): The response JSON from ODK Central
    """
    url = f"{self.base}projects/{projectId}/app-users"
    response = self.session.post(url, json={"displayName": name}, verify=self.verify)
    self.user = name
    if response.ok:
        return response.json()
    return {}

delete

delete(projectId, userId)

Create a new app-user for a form.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required
userId int

The ID of the user on ODK Central to delete

required

Returns:

Type Description
bool

Whether the user got deleted or not

Source code in osm_fieldwork/OdkCentral.py
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
def delete(
    self,
    projectId: int,
    userId: int,
):
    """Create a new app-user for a form.

    Args:
        projectId (int): The ID of the project on ODK Central
        userId (int): The ID of the user on ODK Central to delete

    Returns:
        (bool): Whether the user got deleted or not
    """
    url = f"{self.base}projects/{projectId}/app-users/{userId}"
    result = self.session.delete(url, verify=self.verify)
    return result

updateRole

updateRole(projectId, xform, roleId=2, actorId=None)

Update the role of an app user for a form.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required
xform str

The XForm to get the details of from ODK Central

required
roleId int

The role for the user

2
actorId int

The ID of the user

None

Returns:

Type Description
bool

Whether it was update or not

Source code in osm_fieldwork/OdkCentral.py
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
def updateRole(
    self,
    projectId: int,
    xform: str,
    roleId: int = 2,
    actorId: Optional[int] = None,
):
    """Update the role of an app user for a form.

    Args:
        projectId (int): The ID of the project on ODK Central
        xform (str): The XForm to get the details of from ODK Central
        roleId (int): The role for the user
        actorId (int): The ID of the user

    Returns:
        (bool): Whether it was update or not
    """
    log.info("Update access to XForm %s for %s" % (xform, actorId))
    url = f"{self.base}projects/{projectId}/forms/{xform}/assignments/{roleId}/{actorId}"
    result = self.session.post(url, verify=self.verify)
    return result

grantAccess

grantAccess(projectId, roleId=2, userId=None, xform=None, actorId=None)

Grant access to an app user for a form.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central

required
roleId int

The role ID

2
userId int

The user ID of the user on ODK Central

None
xform str

The XForm to get the details of from ODK Central

None
actorId int

The actor ID of the user on ODK Central

None

Returns:

Type Description
bool

Whether access was granted or not

Source code in osm_fieldwork/OdkCentral.py
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
def grantAccess(self, projectId: int, roleId: int = 2, userId: int = None, xform: str = None, actorId: int = None):
    """Grant access to an app user for a form.

    Args:
        projectId (int): The ID of the project on ODK Central
        roleId (int): The role ID
        userId (int): The user ID of the user on ODK Central
        xform (str):  The XForm to get the details of from ODK Central
        actorId (int): The actor ID of the user on ODK Central

    Returns:
        (bool): Whether access was granted or not
    """
    url = f"{self.base}projects/{projectId}/forms/{xform}/assignments/{roleId}/{actorId}"
    result = self.session.post(url, verify=self.verify)
    return result

createQRCode

createQRCode(odk_id, project_name, appuser_token, basemap='osm', osm_username='svchotosm', upstream_task_id='', save_qrcode=False)

Get the QR Code for an app-user.

Notes on QR code params:

  • form_update_mode: 'manual' allows for easier offline mapping, while if set to 'match_exactly', it will attempt sync with Central
  • metadata_email: we 'misuse' this field to add additional metadata, in this case a task id from an upstream application (FMTM).

Parameters:

Name Type Description Default
odk_id int

The ID of the project on ODK Central

required
project_name str

The name of the project to set

required
appuser_token str

The user's token

required
basemap str

Default basemap to use on Collect. Options: "google", "mapbox", "osm", "usgs", "stamen", "carto".

'osm'
osm_username str

The OSM username to attribute to the mapping.

'svchotosm'
save_qrcode bool

Save the generated QR code to disk.

False

Returns:

Type Description
QRCode

segno.QRCode: The new QR code object

Source code in osm_fieldwork/OdkCentral.py
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
def createQRCode(
    self,
    odk_id: int,
    project_name: str,
    appuser_token: str,
    basemap: str = "osm",
    osm_username: str = "svchotosm",
    upstream_task_id: str = "",
    save_qrcode: bool = False,
) -> segno.QRCode:
    """Get the QR Code for an app-user.

    Notes on QR code params:

    - form_update_mode: 'manual' allows for easier offline mapping, while
        if set to 'match_exactly', it will attempt sync with Central

    - metadata_email: we 'misuse' this field to add additional metadata,
        in this case a task id from an upstream application (FMTM).

    Args:
        odk_id (int): The ID of the project on ODK Central
        project_name (str): The name of the project to set
        appuser_token (str): The user's token
        basemap (str): Default basemap to use on Collect.
            Options: "google", "mapbox", "osm", "usgs", "stamen", "carto".
        osm_username (str): The OSM username to attribute to the mapping.
        save_qrcode (bool): Save the generated QR code to disk.

    Returns:
        segno.QRCode: The new QR code object
    """
    log.info(f"Generating QR Code for project ({odk_id}) {project_name}")

    self.settings = {
        "general": {
            "server_url": f"{self.base}key/{appuser_token}/projects/{odk_id}",
            "form_update_mode": "manual",
            "basemap_source": basemap,
            "autosend": "wifi_and_cellular",
            "metadata_username": osm_username,
            "metadata_email": upstream_task_id,
        },
        "project": {"name": f"{project_name}"},
        "admin": {},
    }

    # Base64 encode JSON params for QR code
    qr_data = b64encode(zlib.compress(json.dumps(self.settings).encode("utf-8")))
    # Generate QR code
    self.qrcode = segno.make(qr_data, micro=False)

    if save_qrcode:
        log.debug(f"Saving QR code to {project_name}.png")
        self.qrcode.save(f"{project_name}.png", scale=5)

    return self.qrcode

options: show_source: false heading_level: 3

Bases: OdkCentral

Class to manipulate a Entity on an ODK Central server.

user (str): The user's account name on ODK Central
passwd (str):  The user's account password on ODK Central.

Returns:

Type Description
OdkDataset

An instance of this object.

Source code in osm_fieldwork/OdkCentral.py
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
def __init__(
    self,
    url: Optional[str] = None,
    user: Optional[str] = None,
    passwd: Optional[str] = None,
):
    """Args:
        url (str): The URL of the ODK Central
        user (str): The user's account name on ODK Central
        passwd (str):  The user's account password on ODK Central.

    Returns:
        (OdkDataset): An instance of this object.
    """
    super().__init__(url, user, passwd)
    self.name = None

listDatasets

listDatasets(projectId)

Get all Entity datasets (entity lists) for a project.

JSON response: [ { "name": "people", "createdAt": "2018-01-19T23:58:03.395Z", "projectId": 1, "approvalRequired": true } ]

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central.

required

Returns:

Name Type Description
list

a list of JSON dataset metadata.

Source code in osm_fieldwork/OdkCentral.py
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
def listDatasets(
    self,
    projectId: int,
):
    """Get all Entity datasets (entity lists) for a project.

    JSON response:
    [
        {
            "name": "people",
            "createdAt": "2018-01-19T23:58:03.395Z",
            "projectId": 1,
            "approvalRequired": true
        }
    ]

    Args:
        projectId (int): The ID of the project on ODK Central.

    Returns:
        list: a list of JSON dataset metadata.
    """
    url = f"{self.base}projects/{projectId}/datasets/"
    result = self.session.get(url, verify=self.verify)
    return result.json()

listEntities

listEntities(projectId, datasetName)

Get all Entities for a project dataset (entity list).

JSON format: [ { "uuid": "uuid:85cb9aff-005e-4edd-9739-dc9c1a829c44", "createdAt": "2018-01-19T23:58:03.395Z", "updatedAt": "2018-03-21T12:45:02.312Z", "deletedAt": "2018-03-21T12:45:02.312Z", "creatorId": 1, "currentVersion": { "label": "John (88)", "current": true, "createdAt": "2018-03-21T12:45:02.312Z", "creatorId": 1, "userAgent": "Enketo/3.0.4", "version": 1, "baseVersion": null, "conflictingProperties": null } } ]

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central.

required
datasetName str

The name of a dataset, specific to a project.

required

Returns:

Name Type Description
list

a list of JSON entity metadata, for a dataset.

Source code in osm_fieldwork/OdkCentral.py
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
def listEntities(
    self,
    projectId: int,
    datasetName: str,
):
    """Get all Entities for a project dataset (entity list).

    JSON format:
    [
    {
        "uuid": "uuid:85cb9aff-005e-4edd-9739-dc9c1a829c44",
        "createdAt": "2018-01-19T23:58:03.395Z",
        "updatedAt": "2018-03-21T12:45:02.312Z",
        "deletedAt": "2018-03-21T12:45:02.312Z",
        "creatorId": 1,
        "currentVersion": {
        "label": "John (88)",
        "current": true,
        "createdAt": "2018-03-21T12:45:02.312Z",
        "creatorId": 1,
        "userAgent": "Enketo/3.0.4",
        "version": 1,
        "baseVersion": null,
        "conflictingProperties": null
        }
    }
    ]

    Args:
        projectId (int): The ID of the project on ODK Central.
        datasetName (str): The name of a dataset, specific to a project.

    Returns:
        list: a list of JSON entity metadata, for a dataset.
    """
    url = f"{self.base}projects/{projectId}/datasets/{datasetName}/entities"
    response = self.session.get(url, verify=self.verify)
    return response.json()

createEntity

createEntity(projectId, datasetName, label, data)

Create a new Entity in a project dataset (entity list).

JSON request: { "uuid": "54a405a0-53ce-4748-9788-d23a30cc3afa", "label": "John Doe (88)", "data": { "firstName": "John", "age": "88" } }

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central.

required
datasetName int

The name of a dataset, specific to a project.

required
label str

Label for the Entity.

required
data dict

Key:Value pairs to insert as Entity data.

required

Returns:

Name Type Description
dict dict

JSON of entity details. The 'uuid' field includes the unique entity identifier.

Source code in osm_fieldwork/OdkCentral.py
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
def createEntity(
    self,
    projectId: int,
    datasetName: str,
    label: str,
    data: dict,
) -> dict:
    """Create a new Entity in a project dataset (entity list).

    JSON request:
    {
    "uuid": "54a405a0-53ce-4748-9788-d23a30cc3afa",
    "label": "John Doe (88)",
    "data": {
        "firstName": "John",
        "age": "88"
    }
    }

    Args:
        projectId (int): The ID of the project on ODK Central.
        datasetName (int): The name of a dataset, specific to a project.
        label (str): Label for the Entity.
        data (dict): Key:Value pairs to insert as Entity data.

    Returns:
        dict: JSON of entity details.
            The 'uuid' field includes the unique entity identifier.
    """
    # The CSV must contain a geometry field to work
    # TODO also add this validation to uploadMedia if CSV format
    required_fields = ["geometry"]
    if not all(key in data for key in required_fields):
        msg = "'geometry' data field is mandatory"
        log.debug(msg)
        raise ValueError(msg)

    url = f"{self.base}projects/{projectId}/datasets/{datasetName}/entities"
    response = self.session.post(
        url,
        verify=self.verify,
        json={
            "uuid": str(uuid4()),
            "label": label,
            "data": data,
        },
    )
    if not response.ok:
        if response.status_code == 404:
            msg = f"Does not exist: project ({projectId}) dataset ({datasetName})"
            log.debug(msg)
            raise requests.exceptions.HTTPError(msg)
        if response.status_code == 400:
            msg = response.json().get("message")
            log.debug(msg)
            raise requests.exceptions.HTTPError(msg)
        log.debug(f"Failed to create Entity. Status code: {response.status_code}")
        response.raise_for_status()
    return response.json()

updateEntity

updateEntity(projectId, datasetName, entityUuid, label=None, data=None, newVersion=None)

Update an existing Entity in a project dataset (entity list).

The JSON request format is the same as creating, minus the 'uuid' field. The PATCH will only update the specific fields specified, leaving the remainder.

If no 'newVersion' param is provided, the entity will be force updated in place. If 'newVersion' is provided, this must be a single integer increment from the current version.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central.

required
datasetName int

The name of a dataset, specific to a project.

required
entityUuid str

Unique itentifier of the entity.

required
label str

Label for the Entity.

None
data dict

Key:Value pairs to insert as Entity data.

None
newVersion int

Integer version to increment to (current version + 1).

None

Returns:

Name Type Description
dict

JSON of entity details. The 'uuid' field includes the unique entity identifier.

Source code in osm_fieldwork/OdkCentral.py
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
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
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
def updateEntity(
    self,
    projectId: int,
    datasetName: str,
    entityUuid: str,
    label: Optional[str] = None,
    data: Optional[dict] = None,
    newVersion: Optional[int] = None,
):
    """Update an existing Entity in a project dataset (entity list).

    The JSON request format is the same as creating, minus the 'uuid' field.
    The PATCH will only update the specific fields specified, leaving the
        remainder.

    If no 'newVersion' param is provided, the entity will be force updated
        in place.
    If 'newVersion' is provided, this must be a single integer increment
        from the current version.

    Args:
        projectId (int): The ID of the project on ODK Central.
        datasetName (int): The name of a dataset, specific to a project.
        entityUuid (str): Unique itentifier of the entity.
        label (str): Label for the Entity.
        data (dict): Key:Value pairs to insert as Entity data.
        newVersion (int): Integer version to increment to (current version + 1).

    Returns:
        dict: JSON of entity details.
            The 'uuid' field includes the unique entity identifier.
    """
    if not label and not data:
        msg = "One of either the 'label' or 'data' fields must be passed"
        log.debug(msg)
        raise requests.exceptions.HTTPError(msg)

    json_data = {}
    if data:
        json_data["data"] = data
    if label:
        json_data["label"] = label

    url = f"{self.base}projects/{projectId}/datasets/{datasetName}/entities/{entityUuid}"
    if newVersion:
        url = f"{url}?baseVersion={newVersion - 1}"
    else:
        url = f"{url}?force=true"

    log.debug(f"Calling {url} with params {json_data}")
    response = self.session.patch(
        url,
        verify=self.verify,
        json=json_data,
    )
    if not response.ok:
        if response.status_code == 404:
            msg = f"Does not exist: project ({projectId}) dataset ({datasetName})"
            log.debug(msg)
            raise requests.exceptions.HTTPError(msg)
        if response.status_code == 400:
            msg = response.json().get("message")
            log.debug(msg)
            raise requests.exceptions.HTTPError(msg)
        if response.status_code == 409:
            msg = response.json().get("message")
            log.debug(msg)
            raise requests.exceptions.HTTPError(msg)
        log.debug(f"Failed to create Entity. Status code: {response.status_code}")
        response.raise_for_status()
    return response.json()

deleteEntity

deleteEntity(projectId, datasetName, entityUuid)

Delete an Entity in a project dataset (entity list).

Only performs a soft deletion, so the Entity is actually archived.

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central.

required
datasetName int

The name of a dataset, specific to a project.

required
entityUuid str

Unique itentifier of the entity.

required

Returns:

Name Type Description
bool

Deletion successful or not.

Source code in osm_fieldwork/OdkCentral.py
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
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
def deleteEntity(
    self,
    projectId: int,
    datasetName: str,
    entityUuid: str,
):
    """Delete an Entity in a project dataset (entity list).

    Only performs a soft deletion, so the Entity is actually archived.

    Args:
        projectId (int): The ID of the project on ODK Central.
        datasetName (int): The name of a dataset, specific to a project.
        entityUuid (str): Unique itentifier of the entity.

    Returns:
        bool: Deletion successful or not.
    """
    url = f"{self.base}projects/{projectId}/datasets/{datasetName}/entities/{entityUuid}"
    log.debug(f"Deleting dataset ({datasetName}) entity UUID ({entityUuid})")
    response = self.session.delete(url, verify=self.verify)

    if not response.ok:
        if response.status_code == 404:
            msg = f"Does not exist: project ({projectId}) dataset ({datasetName}) " f"entity ({entityUuid})"
            log.debug(msg)
            raise requests.exceptions.HTTPError(msg)
        log.debug(f"Failed to delete Entity. Status code: {response.status_code}")
        response.raise_for_status()

    success = (response_msg := response.json()).get("success", False)

    if not success:
        log.debug(f"Server returned deletion unsuccessful: {response_msg}")

    return success

getEntityData

getEntityData(projectId, datasetName)

Get a lightweight JSON of the entity data fields in a dataset.

Example response JSON: [ { "0": { "__id": "523699d0-66ec-4cfc-a76b-4617c01c6b92", "label": "the_label_you_defined", "__system": { "createdAt": "2024-03-24T06:30:31.219Z", "creatorId": "7", "creatorName": "fmtm@hotosm.org", "updates": 4, "updatedAt": "2024-03-24T07:12:55.871Z", "version": 5, "conflict": null }, "geometry": "javarosa format geometry", "user_defined_field2": "text", "user_defined_field2": "text", "user_defined_field3": "test" } } ]

Parameters:

Name Type Description Default
projectId int

The ID of the project on ODK Central.

required
datasetName int

The name of a dataset, specific to a project.

required

Returns:

Name Type Description
list

All entity data for a project dataset.

Source code in osm_fieldwork/OdkCentral.py
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
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
def getEntityData(
    self,
    projectId: int,
    datasetName: str,
):
    """Get a lightweight JSON of the entity data fields in a dataset.

    Example response JSON:
    [
    {
        "0": {
            "__id": "523699d0-66ec-4cfc-a76b-4617c01c6b92",
            "label": "the_label_you_defined",
            "__system": {
                "createdAt": "2024-03-24T06:30:31.219Z",
                "creatorId": "7",
                "creatorName": "fmtm@hotosm.org",
                "updates": 4,
                "updatedAt": "2024-03-24T07:12:55.871Z",
                "version": 5,
                "conflict": null
            },
            "geometry": "javarosa format geometry",
            "user_defined_field2": "text",
            "user_defined_field2": "text",
            "user_defined_field3": "test"
        }
    }
    ]

    Args:
        projectId (int): The ID of the project on ODK Central.
        datasetName (int): The name of a dataset, specific to a project.

    Returns:
        list: All entity data for a project dataset.
    """
    url = f"{self.base}projects/{projectId}/datasets/{datasetName}.svc/Entities"
    response = self.session.get(url, verify=self.verify)

    if not response.ok:
        if response.status_code == 404:
            msg = f"Does not exist: project ({projectId}) dataset ({datasetName})"
            log.debug(msg)
            raise requests.exceptions.HTTPError(msg)
        log.debug(f"Failed to get Entity data. Status code: {response.status_code}")
        response.raise_for_status()
    return response.json().get("value", {})

options: show_source: false heading_level: 3


Last update: September 30, 2024