607
python-workfront Documentation Release 0.8.0 Jump Systems LLC January 11, 2017

python-workfront Documentation - Read the Docspython-workfront Documentation, Release 0.8.0 To instantiate a Session, you only need to provide your Workfront domain name, which is

  • Upload
    others

  • View
    86

  • Download
    0

Embed Size (px)

Citation preview

python-workfront DocumentationRelease 0.8.0

Jump Systems LLC

January 11, 2017

Contents

1 Quickstart 3

2 Detailed Documentation 52.1 Usage . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 5

2.1.1 Creating a Session . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 52.1.2 Finding objects . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 62.1.3 Working with objects . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 72.1.4 Low-level requests . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 8

2.2 API Reference . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 82.2.1 API versions . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 12

2.3 Development . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 4332.3.1 Setting up a virtualenv . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 4332.3.2 Running the tests . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 4342.3.3 Building the documentation . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 4342.3.4 Making a release . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 4342.3.5 Adding a new version of the Workfront API . . . . . . . . . . . . . . . . . . . . . . . . . . 434

2.4 Changes . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 4342.4.1 0.8.0 (19 February 2016) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 4342.4.2 0.7.0 (17 February 2016) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 4352.4.3 0.6.1 (12 February 2016) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 4352.4.4 0.6.0 (11 February 2016) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 4352.4.5 0.3.2 (10 February 2016) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 4352.4.6 0.3.0 (10 February 2016) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 4352.4.7 0.0dev0 (21 August 2015) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 435

2.5 License . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 435

3 Indices and tables 437

Python Module Index 439

i

ii

python-workfront Documentation, Release 0.8.0

This is a Python client library for accessing the Workfront REST api.

Contents 1

python-workfront Documentation, Release 0.8.0

2 Contents

CHAPTER 1

Quickstart

Install the package:

$ pip install python-workfront

Generate an API key:

$ python -m workfront.get_api_key --domain ${your_domain}username: your_userPassword:Your API key is: '...'

Note: If you have SAML authentication enabled, you may well need to disable it for for the specified user in order toobtain an API key. Once you have an API key, you can re-enable SAML authentication.

Make a session:

from workfront import Sessionsession = Session('your domain', api_key='...')api = session.api

Search for a project:

project = session.search(api.Project,name='my project name',name_Mod='cicontains')[0]

Create an issue in that project:

issue = api.Issue(session,name='a test issue',description='some text here',project_id=project.id)

issue.save()

Add a comment to the issue just created:

issue.add_comment('a comment')

3

python-workfront Documentation, Release 0.8.0

4 Chapter 1. Quickstart

CHAPTER 2

Detailed Documentation

2.1 Usage

This documentation explains how to use the python-workfront package, but you should consult the WorkfrontAPI documentation for details on the API itself.

2.1.1 Creating a Session

To interact with Workfront, a Session is needed, and for this session to be useful, it needs to be authenticated usingeither an API key or a username and password.

When using a username and password, you use the login() method to log in and obtain a session identifier:

>>> from workfront import Session>>> session = Session('yourdomain')>>> session.login('youruser', 'yourpassword')>>> session.session_idu'xyz123'

When using this authentication method, the UUID of the logged in user is available on the session:

>>> session.user_idu'abc456'

This can be used to load up your User object, amongst other uses.

The session identifier is then passed with all subsequent requests issued by that session until the logout() methodis called:

>>> session.logout()>>> session.session_id is NoneTrue>>> session.user_id is NoneTrue

When using an API key for authentication, you will first have to obtain an API key. This can be done as described inthe Quickstart or by calling get_api_key() directly. Once you have an API key, you can pass it during Sessioninstantiation, it will then be used for all requests issued by that session:

>>> session = Session('yourdomain', api_key='yourapikey')

5

python-workfront Documentation, Release 0.8.0

To instantiate a Session, you only need to provide your Workfront domain name, which is the bit before the first dotin the url you use to access workfront. In this case, the latest version of the Workfront API, known as unsupported,will be used. If you wish to use a different version, this can be specified:

>>> session = Session('yourdomain', api_version='v4.0')

If you wish to use the Workfront Sandbox instead, you can create a session using a different url template:

>>> from workfront.session import SANDBOX_TEMPLATE>>> session = Session('yourdomain', url_template=SANDBOX_TEMPLATE)

When instantiating a Session, you can also independently specify the protocol or, in extremely circumstances,provide your own url_template that contains the exact base url for the API you wish to use.

2.1.2 Finding objects

Once you have a Session, you will want to obtain objects from Workfront. This can be done using either search()or load().

Objects each have a type that is mapped to a concrete Python class of the same name as used in the API Explorer.These Python classes all subclass Object and can either be imported from the API version module directly, whichworks better if you are using an IDE, or obtained from the api attribute of the session, which works better if yourcode has to work with multiple version of the workfront API. For example:

>>> from workfront import Session>>> from workfront.versions.v40 import Task>>> session = Session('yourdomain', api_version='v4.0')>>> api = session.api>>> api.Task is TaskTrue

To search for objects, you pass a particular Object type and a list of search parameters as described in the searchdocumentation:

>>> results = session.search(api.Project,... name='project name',... name_Mod='cicontains')

When passing field names as search parameters, any of the Workfront name, the Python name, or the Field descriptoritself may be used.

The search results will be a list of instances of the passed type matching the provided search criteria:

>>> results[0]<Project: ID=u'def789', name=u'The Project Name'>

By default, each object will be loaded with its standard set of fields. If you need more fields, or want to load nestedsub-objects, the fields parameter can be passed:

>>> project = results[0]>>> tasks = session.search(api.Task,... project_id=project.id,... status='CLS', status_Mod='ne',... fields=['resolvables:*'])>>> tasks[<Task: ID=u'ghi101', name=u'Something to do', resolvables=[{...}]>]>>> tasks[0].resolvables(<Issue: ID=u'jkl112', objCode=u'OPTASK'>,)

6 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

If you know the UUID of an object, such as that for a project that you may store in a config file, you can skip thesearch step and load the object directly:

>>> session.load(api.Project, project.id)<Project: ID=u'def789', name=u'The Project Name'>

You can load multiple objects in one go by passing a sequence of UUIDs. Even if this sequence only contains oneelement, a sequence of objects will still be returned:

>>> session.load(api.Project, [project.id])[<Project: ID=u'def789', name=u'The Project Name'>]

2.1.3 Working with objects

In the previous section we saw how to load objects from Workfront. To create new content in Workfront, you instantiatethe object, passing in a Session and then save it:

>>> issue = api.Issue(session,... name='something bad', description='details',... project_id=project.id)>>> issue.save()

To make changes to an object, set the attributes you want to change and then use the save method again:

>>> issue.description += '\nautomatically appended text.'>>> issue.save()

When saving changes to an existing object, only fields that have actually been modified will be submitted back toWorkfront.

Objects loaded from Workfront will, by default, only have a subset of their fields loaded. If you access a field that hasnot been loaded, a FieldNotLoaded exception will be raised:

>>> issue.previous_statusTraceback (most recent call last):...

FieldNotLoaded: previousStatus

Further fields can be retrieved from Workfront using load:

>>> issue.load('previous_status')>>> issue.previous_statusu'CLS'

To delete an object, call its delete method:

>>> issue.delete()

Any references or collections are reflected into the Python model using the Reference and Collection descrip-tors. Unlike plain fields, accessing these will make the request to Workfront to load the necessary objects rather thanraising a FieldNotLoaded exception.

References will return the referenced object or None, if there is no object referenced:

>>> issue.project<Project: ID=u'def789', name=u'The Project Name', objCode=u'PROJ'>

References cannot be altered or set directly, instead set the matching _id fields:

2.1. Usage 7

python-workfront Documentation, Release 0.8.0

>>> issue.project_id = 'ghj1234'>>> issue.save()

Note: When you have set an _id field in this fashion, the referenced object will be stale. If you need it, you shouldre-load it:

>>> issue.load('project')>>> issue.project<Project: ID=u'ghj1234', name=u'Another Project', objCode=u'PROJ'>

Collections will always return an immutable sequence of objects in the collection:

>>> issue.resolvables(<Task: ID=u'tsk345', objCode=u'TASK'>,)

This will be empty if there is no content in the Workfront collection.

Collections cannot be modified.

Workfront actions are made available as methods on objects:

>>> issue.mark_done(status='CLS')

If they return data, it will be returned from the Python method.

The python-workfront package also adds a few convenience methods to some objects. Please consult the APIReference.

2.1.4 Low-level requests

In the event that the existing object reflection, descriptors and methods do not cover your use case, Session provideslower level methods to perform requests in the form of get, post, put and delete.

They all take a path and an optional dictionary of parameters to pass as part of the request. Requests will include anyauthentication set up on the session. The methods return any data provided in the response from Workfront:

>>> session = Session('yourdomain', api_version='v4.0', api_key='my key')>>> session.post('/something/New', params=dict(just='in case'))[u'result', 42]

The lowest level way of issuing a request to Workfront is to use request directly. This will still include anyauthentication set up on the Session, but gives you additional control over the method used:

>>> session.request(method='TEST', path='/foo', params=dict(what='now'))u'some data'

2.2 API Reference

class workfront.Session(domain, api_key=None, ssl_context=None, protocol=’https’,api_version=’unsupported’, url_template=’{protocol}://{domain}.attask-ondemand.com/attask/api/{api_version}’)

A session for communicating with the Workfront REST API.

Parameters

• domain – Your Workfront domain name.

8 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

• api_key – An optional API key to pass with requests made using this session.

• ssl_context – An optional SSLContext to use when communicating with Workfrontvia SSL.

• protocol – The protocol to use, defaults to https.

• api_version – The version of the Workfront API to use, defaults to unsupported,which is the newest available.

• url_template – The template for Workfront URLs into which domain, protocol,and api_version will be interpolated.

Warning: ssl_context will result in exceptions being raised when used under Python 3.4, supportexists in Python 2.7 and Python 3.5 onwards.

session_id = NoneThe session identifier if using session-base authentication.

user_id = NoneThe UUID of the user if using session-base authentication.

api = NoneThe APIVersion for the api_version specified.

request(method, path, params=None)The lowest level method for making a request to the Workfront REST API. You should only need to usethis if you need a method that isn’t supported below.

Parameters

• method – The HTTP method to use, eg: GET, POST, PUT.

• path – The path element of the URL for the request, eg: /user.

• params – A dict of parameters to include in the request.

Returns The JSON-decoded data element of the response from Workfront.

get(path, params=None)Perform a method=GET request to the Workfront REST API.

Parameters

• path – The path element of the URL for the request, eg: /user.

• params – A dict of parameters to include in the request.

Returns The JSON-decoded data element of the response from Workfront.

post(path, params=None)Perform a method=POST request to the Workfront REST API.

Parameters

• path – The path element of the URL for the request, eg: /user.

• params – A dict of parameters to include in the request.

Returns The JSON-decoded data element of the response from Workfront.

put(path, params=None)Perform a method=PUT request to the Workfront REST API.

Parameters

2.2. API Reference 9

python-workfront Documentation, Release 0.8.0

• path – The path element of the URL for the request, eg: /user.

• params – A dict of parameters to include in the request.

Returns The JSON-decoded data element of the response from Workfront.

delete(path, params=None)Perform a method=DELETE request to the Workfront REST API.

Parameters

• path – The path element of the URL for the request, eg: /user.

• params – A dict of parameters to include in the request.

Returns The JSON-decoded data element of the response from Workfront.

login(username, password)Start an ID-based session using the supplied username and password. The resulting sessionID will bepassed for all subsequence requests using this Session.

The session user’s UUID will be stored in Session.user_id.

logout()End the current ID-based session.

get_api_key(username, password)Return the API key for the user with the username and password supplied.

Warning: If the Session is created with an api_key, then that key may always be returned, nomatter what username or password are provided.

search(object_type, fields=None, **parameters)Search for Object instances of the specified type.

Parameters

• object_type – The type of object to search for. Should be obtained from theSession.api.

• fields – Additional fields to load() on the returned objects. Nested Object fieldspecifications are supported.

• parameters – The search parameters. See the Workfront documentation for full details.

Returns A list of objects of the object_type specified.

load(object_type, id_or_ids, fields=None)Load one or more Object instances by their UUID.

Parameters

• object_type – The type of object to search for. Should be obtained from theSession.api.

• id_or_ids – A string, when a single object is to be loaded, or a sequence of stringswhen multiple objects are to be loaded.

• fields – The fields to load() on each object returned. If not specified, the defaultfields for that object type will be loaded.

Returns If a single id is specified, the loaded object will be returned. If id_or_ids is asequence, a list of objects will be returned.

10 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

workfront.session.ONDEMAND_TEMPLATE = ‘{protocol}://{domain}.attask-ondemand.com/attask/api/{api_version}’The default URL template used when creating a Session.

workfront.session.SANDBOX_TEMPLATE = ‘{protocol}://{domain}.preview.workfront.com/attask/api/{api_version}’An alternate URL template that can be used when creating a Session to the Workfront Sandbox.

exception workfront.session.WorkfrontAPIError(data, code)An exception indicating that an error has been returned by Workfront, either in the form of the error key beingprovided in the JSON response, or a non-200 HTTP status code being sent.

code = NoneThe HTTP response code returned by Workfront.

data = NoneThe error returned in the response from Workfront, decoded from JSON if possible, a string otherwise.

class workfront.meta.APIVersion(version)Receptacle for classes for a specific API version. The classes can be obtained from the APIVersion instanceby attribute, eg:

session = Session(...)api = session.apiissue = api.Issue(session, ...)

To find the name of a class your require, consult the modindex or use the search in conjunction with the APIExplorer.

exception workfront.meta.FieldNotLoadedException raised when a field is accessed but has not been loaded.

class workfront.meta.Field(workfront_name)The descriptor used for mapping Workfront fields to attributes of an Object.

When a Field is obtained from an Object, it’s value will be returned, or a FieldNotLoaded exceptionwill be raised if it has not yet been loaded.

When set, a Field will store its value in the Object, to save values back to Workfront, useObject.save().

class workfront.meta.Reference(workfront_name)The descriptor used for mapping Workfront references to attributes of an Object.

When a Reference is obtained from an Object, a referenced object or None, if there is no referenced objectin this field, will be returned. If the referenced object has not yet been loaded, it will be loaded before beingreturned.

A Reference cannot be set, you should instead set the matching _id Field to the id of the object youwish to reference.

class workfront.meta.Collection(workfront_name)The descriptor used for mapping Workfront collections to attributes of an Object.

When a Collection is obtained from an Object, a tuple of objects, which may be empty, is returned. Ifthe collection has not yet been loaded, it will be loaded before being returned.

A Collection cannot be set or modified.

class workfront.meta.Object(session=None, **fields)The base class for objects reflected from the Workfront REST API.

Objects can be instantiated and then saved in order to create new objects, or retrieved from Workfront usingworkfront.Session.search() or workfront.Session.load().

2.2. API Reference 11

python-workfront Documentation, Release 0.8.0

Wherever fields are mentioned, they may be specified as either Workfront-style camel case names, or thePython-style attribute names they are mapped to.

idThe UUID of this object in Workfront. It will be None if this object has not yet been saved to Workfront.

api_url()The URI of this object in Workfront, suitable for passing to any of the Session methods that generaterequests.

This method cannot be used until the object has been saved to Workfront.

load(*field_names)Load additional fields for this object from Workfront.

Parameters field_names – Either Workfront-style camel case names or the Python-styleattribute names they are mapped to for the fields to be loaded.

save()If this object has not yet been saved to Workfront, create it using all the current fields that have been set.

In other cases, save only the fields that have changed on this object to Workfront.

delete()Delete this object from Workfront.

2.2.1 API versions

The versions listed have been reflected from the relevant Workfront API metadata. The documentation below primarilygives the mapping betwen the API name and the pythonic name. The API Explorer may be an easier way to find thethings.

v4.0 API Reference

class workfront.versions.v40.AccessRule(session=None, **fields)Object for ACSRUL

accessor_idField for accessorID

accessor_obj_codeField for accessorObjCode

ancestor_idField for ancestorID

ancestor_obj_codeField for ancestorObjCode

core_actionField for coreAction

customerReference for customer

customer_idField for customerID

forbidden_actionsField for forbiddenActions

12 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

is_inheritedField for isInherited

secondary_actionsField for secondaryActions

security_obj_codeField for securityObjCode

security_obj_idField for securityObjID

class workfront.versions.v40.Approval(session=None, **fields)Object for APPROVAL

access_rulesCollection for accessRules

actual_benefitField for actualBenefit

actual_completion_dateField for actualCompletionDate

actual_costField for actualCost

actual_durationField for actualDuration

actual_duration_expressionField for actualDurationExpression

actual_duration_minutesField for actualDurationMinutes

actual_expense_costField for actualExpenseCost

actual_hours_last_monthField for actualHoursLastMonth

actual_hours_last_three_monthsField for actualHoursLastThreeMonths

actual_hours_this_monthField for actualHoursThisMonth

actual_hours_two_months_agoField for actualHoursTwoMonthsAgo

actual_labor_costField for actualLaborCost

actual_revenueField for actualRevenue

actual_risk_costField for actualRiskCost

actual_start_dateField for actualStartDate

2.2. API Reference 13

python-workfront Documentation, Release 0.8.0

actual_valueField for actualValue

actual_workField for actualWork

actual_work_requiredField for actualWorkRequired

actual_work_required_expressionField for actualWorkRequiredExpression

age_range_as_stringField for ageRangeAsString

alignmentField for alignment

alignment_score_cardReference for alignmentScoreCard

alignment_score_card_idField for alignmentScoreCardID

alignment_valuesCollection for alignmentValues

all_approved_hoursField for allApprovedHours

all_hoursCollection for allHours

all_prioritiesCollection for allPriorities

all_severitiesCollection for allSeverities

all_statusesCollection for allStatuses

all_unapproved_hoursField for allUnapprovedHours

approval_est_start_dateField for approvalEstStartDate

approval_planned_start_dateField for approvalPlannedStartDate

approval_planned_start_dayField for approvalPlannedStartDay

approval_processReference for approvalProcess

approval_process_idField for approvalProcessID

approval_projected_start_dateField for approvalProjectedStartDate

14 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

approver_statusesCollection for approverStatuses

approvers_stringField for approversString

assigned_toReference for assignedTo

assigned_to_idField for assignedToID

assignmentsCollection for assignments

assignments_list_stringField for assignmentsListString

audit_noteField for auditNote

audit_typesField for auditTypes

audit_user_idsField for auditUserIDs

auto_baseline_recur_onField for autoBaselineRecurOn

auto_baseline_recurrence_typeField for autoBaselineRecurrenceType

auto_closure_dateField for autoClosureDate

backlog_orderField for backlogOrder

baselinesCollection for baselines

bccompletion_stateField for BCCompletionState

billed_revenueField for billedRevenue

billing_amountField for billingAmount

billing_recordReference for billingRecord

billing_record_idField for billingRecordID

billing_recordsCollection for billingRecords

budgetField for budget

2.2. API Reference 15

python-workfront Documentation, Release 0.8.0

budget_statusField for budgetStatus

budgeted_completion_dateField for budgetedCompletionDate

budgeted_costField for budgetedCost

budgeted_hoursField for budgetedHours

budgeted_labor_costField for budgetedLaborCost

budgeted_start_dateField for budgetedStartDate

business_case_status_labelField for businessCaseStatusLabel

can_startField for canStart

categoryReference for category

category_idField for categoryID

childrenCollection for children

colorField for color

commit_dateField for commitDate

commit_date_rangeField for commitDateRange

companyReference for company

company_idField for companyID

completion_pending_dateField for completionPendingDate

completion_typeField for completionType

conditionField for condition

condition_typeField for conditionType

constraint_dateField for constraintDate

16 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

converted_op_task_entry_dateField for convertedOpTaskEntryDate

converted_op_task_nameField for convertedOpTaskName

converted_op_task_originatorReference for convertedOpTaskOriginator

converted_op_task_originator_idField for convertedOpTaskOriginatorID

cost_amountField for costAmount

cost_typeField for costType

cpiField for cpi

csiField for csi

currencyField for currency

current_approval_stepReference for currentApprovalStep

current_approval_step_idField for currentApprovalStepID

current_status_durationField for currentStatusDuration

customerReference for customer

customer_idField for customerID

days_lateField for daysLate

default_baselineReference for defaultBaseline

default_baseline_taskReference for defaultBaselineTask

deliverable_score_cardReference for deliverableScoreCard

deliverable_score_card_idField for deliverableScoreCardID

deliverable_success_scoreField for deliverableSuccessScore

deliverable_success_score_ratioField for deliverableSuccessScoreRatio

2.2. API Reference 17

python-workfront Documentation, Release 0.8.0

deliverable_valuesCollection for deliverableValues

descriptionField for description

display_orderField for displayOrder

documentsCollection for documents

done_statusesCollection for doneStatuses

due_dateField for dueDate

durationField for duration

duration_expressionField for durationExpression

duration_minutesField for durationMinutes

duration_typeField for durationType

duration_unitField for durationUnit

eacField for eac

enable_auto_baselinesField for enableAutoBaselines

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

est_completion_dateField for estCompletionDate

est_start_dateField for estStartDate

estimateField for estimate

exchange_rateReference for exchangeRate

exchange_ratesCollection for exchangeRates

18 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

expensesCollection for expenses

ext_ref_idField for extRefID

filter_hour_typesField for filterHourTypes

finance_last_update_dateField for financeLastUpdateDate

first_responseField for firstResponse

fixed_costField for fixedCost

fixed_end_dateField for fixedEndDate

fixed_revenueField for fixedRevenue

fixed_start_dateField for fixedStartDate

groupReference for group

group_idField for groupID

handoff_dateField for handoffDate

has_budget_conflictField for hasBudgetConflict

has_calc_errorField for hasCalcError

has_completion_constraintField for hasCompletionConstraint

has_documentsField for hasDocuments

has_expensesField for hasExpenses

has_messagesField for hasMessages

has_notesField for hasNotes

has_rate_overrideField for hasRateOverride

has_resolvablesField for hasResolvables

2.2. API Reference 19

python-workfront Documentation, Release 0.8.0

has_start_constraintField for hasStartConstraint

has_timed_notificationsField for hasTimedNotifications

hour_typesCollection for hourTypes

hoursCollection for hours

hours_per_pointField for hoursPerPoint

how_oldField for howOld

indentField for indent

is_agileField for isAgile

is_completeField for isComplete

is_criticalField for isCritical

is_duration_lockedField for isDurationLocked

is_help_deskField for isHelpDesk

is_leveling_excludedField for isLevelingExcluded

is_readyField for isReady

is_work_required_lockedField for isWorkRequiredLocked

iterationReference for iteration

iteration_idField for iterationID

last_calc_dateField for lastCalcDate

last_condition_noteReference for lastConditionNote

last_condition_note_idField for lastConditionNoteID

last_noteReference for lastNote

20 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

last_note_idField for lastNoteID

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

leveling_modeField for levelingMode

leveling_start_delayField for levelingStartDelay

leveling_start_delay_expressionField for levelingStartDelayExpression

leveling_start_delay_minutesField for levelingStartDelayMinutes

master_task_idField for masterTaskID

milestoneReference for milestone

milestone_idField for milestoneID

milestone_pathReference for milestonePath

milestone_path_idField for milestonePathID

nameField for name

next_auto_baseline_dateField for nextAutoBaselineDate

number_of_childrenField for numberOfChildren

number_open_op_tasksField for numberOpenOpTasks

olvField for olv

op_task_typeField for opTaskType

op_task_type_labelField for opTaskTypeLabel

op_tasksCollection for opTasks

2.2. API Reference 21

python-workfront Documentation, Release 0.8.0

open_op_tasksCollection for openOpTasks

optimization_scoreField for optimizationScore

original_durationField for originalDuration

original_work_requiredField for originalWorkRequired

ownerReference for owner

owner_idField for ownerID

owner_privilegesField for ownerPrivileges

parentReference for parent

parent_idField for parentID

parent_lagField for parentLag

parent_lag_typeField for parentLagType

percent_completeField for percentComplete

performance_index_methodField for performanceIndexMethod

personalField for personal

planned_benefitField for plannedBenefit

planned_completion_dateField for plannedCompletionDate

planned_costField for plannedCost

planned_date_alignmentField for plannedDateAlignment

planned_durationField for plannedDuration

planned_duration_minutesField for plannedDurationMinutes

planned_expense_costField for plannedExpenseCost

22 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

planned_hours_alignmentField for plannedHoursAlignment

planned_labor_costField for plannedLaborCost

planned_revenueField for plannedRevenue

planned_risk_costField for plannedRiskCost

planned_start_dateField for plannedStartDate

planned_valueField for plannedValue

pop_account_idField for popAccountID

portfolioReference for portfolio

portfolio_idField for portfolioID

portfolio_priorityField for portfolioPriority

predecessor_expressionField for predecessorExpression

predecessorsCollection for predecessors

previous_statusField for previousStatus

primary_assignmentReference for primaryAssignment

priorityField for priority

programReference for program

program_idField for programID

progress_statusField for progressStatus

projectReference for project

project_idField for projectID

project_user_rolesCollection for projectUserRoles

2.2. API Reference 23

python-workfront Documentation, Release 0.8.0

project_usersCollection for projectUsers

projected_completion_dateField for projectedCompletionDate

projected_duration_minutesField for projectedDurationMinutes

projected_start_dateField for projectedStartDate

queue_defReference for queueDef

queue_def_idField for queueDefID

queue_topicReference for queueTopic

queue_topic_idField for queueTopicID

ratesCollection for rates

recurrence_numberField for recurrenceNumber

recurrence_rule_idField for recurrenceRuleID

reference_numberField for referenceNumber

reference_obj_codeField for referenceObjCode

reference_obj_idField for referenceObjID

rejection_issueReference for rejectionIssue

rejection_issue_idField for rejectionIssueID

remaining_costField for remainingCost

remaining_duration_minutesField for remainingDurationMinutes

remaining_revenueField for remainingRevenue

remaining_risk_costField for remainingRiskCost

reserved_timeReference for reservedTime

24 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

reserved_time_idField for reservedTimeID

resolution_timeField for resolutionTime

resolvablesCollection for resolvables

resolve_op_taskReference for resolveOpTask

resolve_op_task_idField for resolveOpTaskID

resolve_projectReference for resolveProject

resolve_project_idField for resolveProjectID

resolve_taskReference for resolveTask

resolve_task_idField for resolveTaskID

resolving_obj_codeField for resolvingObjCode

resolving_obj_idField for resolvingObjID

resource_allocationsCollection for resourceAllocations

resource_poolReference for resourcePool

resource_pool_idField for resourcePoolID

resource_scopeField for resourceScope

revenue_typeField for revenueType

riskField for risk

risk_performance_indexField for riskPerformanceIndex

risksCollection for risks

roiField for roi

roleReference for role

2.2. API Reference 25

python-workfront Documentation, Release 0.8.0

role_idField for roleID

rolesCollection for roles

routing_rulesCollection for routingRules

scheduleReference for schedule

schedule_idField for scheduleID

schedule_modeField for scheduleMode

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

selected_on_portfolio_optimizerField for selectedOnPortfolioOptimizer

severityField for severity

slack_dateField for slackDate

source_obj_codeField for sourceObjCode

source_obj_idField for sourceObjID

source_taskReference for sourceTask

source_task_idField for sourceTaskID

spiField for spi

sponsorReference for sponsor

sponsor_idField for sponsorID

statusField for status

status_equates_withField for statusEquatesWith

status_updateField for statusUpdate

26 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

submitted_byReference for submittedBy

submitted_by_idField for submittedByID

successorsCollection for successors

summary_completion_typeField for summaryCompletionType

task_constraintField for taskConstraint

task_numberField for taskNumber

task_number_predecessor_stringField for taskNumberPredecessorString

tasksCollection for tasks

teamReference for team

team_assignmentReference for teamAssignment

team_idField for teamID

templateReference for template

template_idField for templateID

template_taskReference for templateTask

template_task_idField for templateTaskID

total_hoursField for totalHours

total_op_task_countField for totalOpTaskCount

total_task_countField for totalTaskCount

tracking_modeField for trackingMode

update_typeField for updateType

updatesCollection for updates

2.2. API Reference 27

python-workfront Documentation, Release 0.8.0

urlField for URL

url_Field for url

versionField for version

wbsField for wbs

workField for work

work_itemReference for workItem

work_requiredField for workRequired

work_required_expressionField for workRequiredExpression

work_unitField for workUnit

class workfront.versions.v40.ApprovalPath(session=None, **fields)Object for ARVPTH

approval_processReference for approvalProcess

approval_process_idField for approvalProcessID

approval_stepsCollection for approvalSteps

customerReference for customer

customer_idField for customerID

duration_minutesField for durationMinutes

duration_unitField for durationUnit

rejected_statusField for rejectedStatus

rejected_status_labelField for rejectedStatusLabel

should_create_issueField for shouldCreateIssue

target_statusField for targetStatus

28 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

target_status_labelField for targetStatusLabel

class workfront.versions.v40.ApprovalProcess(session=None, **fields)Object for ARVPRC

approval_obj_codeField for approvalObjCode

approval_pathsCollection for approvalPaths

approval_statusesField for approvalStatuses

customerReference for customer

customer_idField for customerID

descriptionField for description

duration_minutesField for durationMinutes

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

ext_ref_idField for extRefID

is_privateField for isPrivate

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

nameField for name

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

class workfront.versions.v40.ApprovalStep(session=None, **fields)Object for ARVSTP

2.2. API Reference 29

python-workfront Documentation, Release 0.8.0

approval_pathReference for approvalPath

approval_path_idField for approvalPathID

approval_typeField for approvalType

customerReference for customer

customer_idField for customerID

nameField for name

sequence_numberField for sequenceNumber

step_approversCollection for stepApprovers

class workfront.versions.v40.ApproverStatus(session=None, **fields)Object for ARVSTS

approvable_obj_codeField for approvableObjCode

approvable_obj_idField for approvableObjID

approval_stepReference for approvalStep

approval_step_idField for approvalStepID

approved_byReference for approvedBy

approved_by_idField for approvedByID

customerReference for customer

customer_idField for customerID

is_overriddenField for isOverridden

op_taskReference for opTask

op_task_idField for opTaskID

overridden_userReference for overriddenUser

30 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

overridden_user_idField for overriddenUserID

projectReference for project

project_idField for projectID

statusField for status

step_approverReference for stepApprover

step_approver_idField for stepApproverID

taskReference for task

task_idField for taskID

wildcard_userReference for wildcardUser

wildcard_user_idField for wildcardUserID

class workfront.versions.v40.Assignment(session=None, **fields)Object for ASSGN

assigned_byReference for assignedBy

assigned_by_idField for assignedByID

assigned_toReference for assignedTo

assigned_to_idField for assignedToID

assignment_percentField for assignmentPercent

avg_work_per_dayField for avgWorkPerDay

customerReference for customer

customer_idField for customerID

feedback_statusField for feedbackStatus

is_primaryField for isPrimary

2.2. API Reference 31

python-workfront Documentation, Release 0.8.0

is_team_assignmentField for isTeamAssignment

op_taskReference for opTask

op_task_idField for opTaskID

projectReference for project

project_idField for projectID

roleReference for role

role_idField for roleID

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

statusField for status

taskReference for task

task_idField for taskID

teamReference for team

team_idField for teamID

workField for work

work_itemReference for workItem

work_requiredField for workRequired

work_unitField for workUnit

class workfront.versions.v40.Avatar(session=None, **fields)Object for AVATAR

allowed_actionsField for allowedActions

avatar_dateField for avatarDate

32 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

avatar_download_urlField for avatarDownloadURL

avatar_sizeField for avatarSize

avatar_xField for avatarX

avatar_yField for avatarY

handleField for handle

class workfront.versions.v40.BackgroundJob(session=None, **fields)Object for BKGJOB

access_countField for accessCount

changed_objectsField for changedObjects

customerReference for customer

customer_idField for customerID

end_dateField for endDate

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

error_messageField for errorMessage

expiration_dateField for expirationDate

handler_class_nameField for handlerClassName

start_dateField for startDate

statusField for status

class workfront.versions.v40.Baseline(session=None, **fields)Object for BLIN

actual_completion_dateField for actualCompletionDate

2.2. API Reference 33

python-workfront Documentation, Release 0.8.0

actual_costField for actualCost

actual_duration_minutesField for actualDurationMinutes

actual_start_dateField for actualStartDate

actual_work_requiredField for actualWorkRequired

auto_generatedField for autoGenerated

baseline_tasksCollection for baselineTasks

budgetField for budget

conditionField for condition

cpiField for cpi

csiField for csi

customerReference for customer

customer_idField for customerID

duration_minutesField for durationMinutes

eacField for eac

entry_dateField for entryDate

est_completion_dateField for estCompletionDate

est_start_dateField for estStartDate

is_defaultField for isDefault

nameField for name

percent_completeField for percentComplete

planned_completion_dateField for plannedCompletionDate

34 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

planned_costField for plannedCost

planned_start_dateField for plannedStartDate

progress_statusField for progressStatus

projectReference for project

project_idField for projectID

projected_completion_dateField for projectedCompletionDate

projected_start_dateField for projectedStartDate

spiField for spi

work_requiredField for workRequired

class workfront.versions.v40.BaselineTask(session=None, **fields)Object for BSTSK

actual_completion_dateField for actualCompletionDate

actual_costField for actualCost

actual_duration_minutesField for actualDurationMinutes

actual_start_dateField for actualStartDate

actual_work_requiredField for actualWorkRequired

baselineReference for baseline

baseline_idField for baselineID

cpiField for cpi

csiField for csi

customerReference for customer

customer_idField for customerID

2.2. API Reference 35

python-workfront Documentation, Release 0.8.0

duration_minutesField for durationMinutes

duration_unitField for durationUnit

eacField for eac

entry_dateField for entryDate

est_completion_dateField for estCompletionDate

est_start_dateField for estStartDate

is_defaultField for isDefault

nameField for name

percent_completeField for percentComplete

planned_completion_dateField for plannedCompletionDate

planned_costField for plannedCost

planned_start_dateField for plannedStartDate

progress_statusField for progressStatus

projected_completion_dateField for projectedCompletionDate

projected_start_dateField for projectedStartDate

spiField for spi

taskReference for task

task_idField for taskID

work_requiredField for workRequired

class workfront.versions.v40.BillingRecord(session=None, **fields)Object for BILL

amountField for amount

36 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

billable_tasksCollection for billableTasks

billing_dateField for billingDate

customerReference for customer

customer_idField for customerID

descriptionField for description

display_nameField for displayName

expensesCollection for expenses

ext_ref_idField for extRefID

hoursCollection for hours

invoice_idField for invoiceID

other_amountField for otherAmount

po_numberField for poNumber

projectReference for project

project_idField for projectID

statusField for status

class workfront.versions.v40.Category(session=None, **fields)Object for CTGY

cat_obj_codeField for catObjCode

category_parametersCollection for categoryParameters

customerReference for customer

customer_idField for customerID

descriptionField for description

2.2. API Reference 37

python-workfront Documentation, Release 0.8.0

entered_byReference for enteredBy

entered_by_idField for enteredByID

ext_ref_idField for extRefID

groupReference for group

group_idField for groupID

has_calculated_fieldsField for hasCalculatedFields

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

nameField for name

other_groupsCollection for otherGroups

class workfront.versions.v40.CategoryParameter(session=None, **fields)Object for CTGYPA

categoryReference for category

category_idField for categoryID

category_parameter_expressionReference for categoryParameterExpression

custom_expressionField for customExpression

customerReference for customer

customer_idField for customerID

display_orderField for displayOrder

is_invalid_expressionField for isInvalidExpression

is_requiredField for isRequired

38 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

parameterReference for parameter

parameter_groupReference for parameterGroup

parameter_group_idField for parameterGroupID

parameter_idField for parameterID

row_sharedField for rowShared

security_levelField for securityLevel

view_security_levelField for viewSecurityLevel

class workfront.versions.v40.CategoryParameterExpression(session=None, **fields)Object for CTGPEX

category_parameterReference for categoryParameter

custom_expressionField for customExpression

customerReference for customer

customer_idField for customerID

has_finance_fieldsField for hasFinanceFields

class workfront.versions.v40.Company(session=None, **fields)Object for CMPY

calculate_data_extension()The calculateDataExtension action.

categoryReference for category

category_idField for categoryID

customerReference for customer

customer_idField for customerID

entered_byReference for enteredBy

entered_by_idField for enteredByID

2.2. API Reference 39

python-workfront Documentation, Release 0.8.0

entry_dateField for entryDate

ext_ref_idField for extRefID

has_rate_overrideField for hasRateOverride

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

nameField for name

ratesCollection for rates

class workfront.versions.v40.CustomEnum(session=None, **fields)Object for CSTEM

colorField for color

customerReference for customer

customer_idField for customerID

descriptionField for description

enum_classField for enumClass

equates_withField for equatesWith

ext_ref_idField for extRefID

get_default_op_task_priority_enum()The getDefaultOpTaskPriorityEnum action.

Returns java.lang.Integer

get_default_project_status_enum()The getDefaultProjectStatusEnum action.

Returns string

get_default_severity_enum()The getDefaultSeverityEnum action.

Returns java.lang.Integer

get_default_task_priority_enum()The getDefaultTaskPriorityEnum action.

40 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

Returns java.lang.Integer

is_primaryField for isPrimary

labelField for label

valueField for value

value_as_intField for valueAsInt

value_as_stringField for valueAsString

class workfront.versions.v40.Customer(session=None, **fields)Object for CUST

account_rep_idField for accountRepID

addressField for address

address2Field for address2

admin_acct_nameField for adminAcctName

admin_acct_passwordField for adminAcctPassword

api_concurrency_limitField for apiConcurrencyLimit

approval_processesCollection for approvalProcesses

biz_rule_exclusionsField for bizRuleExclusions

categoriesCollection for categories

cityField for city

cloneableField for cloneable

countryField for country

currencyField for currency

custom_enum_typesField for customEnumTypes

custom_enumsCollection for customEnums

2.2. API Reference 41

python-workfront Documentation, Release 0.8.0

customer_config_map_idField for customerConfigMapID

customer_urlconfig_map_idField for customerURLConfigMapID

dd_svnversionField for ddSVNVersion

demo_baseline_dateField for demoBaselineDate

descriptionField for description

disabled_dateField for disabledDate

document_sizeField for documentSize

documentsCollection for documents

domainField for domain

email_addrField for emailAddr

entry_dateField for entryDate

eval_exp_dateField for evalExpDate

exp_dateField for expDate

expense_typesCollection for expenseTypes

ext_ref_idField for extRefID

external_document_storageField for externalDocumentStorage

external_users_enabledField for externalUsersEnabled

extra_document_storageField for extraDocumentStorage

firstnameField for firstname

full_usersField for fullUsers

goldenField for golden

42 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

groupsCollection for groups

has_documentsField for hasDocuments

has_preview_accessField for hasPreviewAccess

has_timed_notificationsField for hasTimedNotifications

help_desk_config_map_idField for helpDeskConfigMapID

hour_typesCollection for hourTypes

inline_java_script_config_map_idField for inlineJavaScriptConfigMapID

is_apienabledField for isAPIEnabled

is_disabledField for isDisabled

is_enterpriseField for isEnterprise

is_marketing_solutions_enabledField for isMarketingSolutionsEnabled

is_migrated_to_anacondaField for isMigratedToAnaconda

is_portal_profile_migratedField for isPortalProfileMigrated

is_soapenabledField for isSOAPEnabled

is_warning_disabledField for isWarningDisabled

journal_field_limitField for journalFieldLimit

last_remind_dateField for lastRemindDate

last_usage_report_dateField for lastUsageReportDate

lastnameField for lastname

layout_templatesCollection for layoutTemplates

limited_usersField for limitedUsers

2.2. API Reference 43

python-workfront Documentation, Release 0.8.0

localeField for locale

milestone_pathsCollection for milestonePaths

nameField for name

need_license_agreementField for needLicenseAgreement

next_usage_report_dateField for nextUsageReportDate

notification_config_map_idField for notificationConfigMapID

on_demand_optionsField for onDemandOptions

op_task_count_limitField for opTaskCountLimit

overdraft_exp_dateField for overdraftExpDate

parameter_groupsCollection for parameterGroups

parametersCollection for parameters

password_config_map_idField for passwordConfigMapID

phone_numberField for phoneNumber

portfolio_management_config_map_idField for portfolioManagementConfigMapID

postal_codeField for postalCode

project_management_config_map_idField for projectManagementConfigMapID

proof_account_idField for proofAccountID

record_limitField for recordLimit

requestor_usersField for requestorUsers

reseller_idField for resellerID

resource_poolsCollection for resourcePools

44 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

review_usersField for reviewUsers

risk_typesCollection for riskTypes

rolesCollection for roles

sandbox_countField for sandboxCount

sandbox_refreshingField for sandboxRefreshing

schedulesCollection for schedules

score_cardsCollection for scoreCards

security_model_typeField for securityModelType

sso_typeField for ssoType

stateField for state

statusField for status

style_sheetField for styleSheet

task_count_limitField for taskCountLimit

team_usersField for teamUsers

time_zoneField for timeZone

timesheet_config_map_idField for timesheetConfigMapID

trialField for trial

ui_config_map_idField for uiConfigMapID

ui_filtersCollection for uiFilters

ui_group_bysCollection for uiGroupBys

ui_viewsCollection for uiViews

2.2. API Reference 45

python-workfront Documentation, Release 0.8.0

usage_report_attemptsField for usageReportAttempts

use_external_document_storageField for useExternalDocumentStorage

user_invite_config_map_idField for userInviteConfigMapID

welcome_email_addressesField for welcomeEmailAddresses

class workfront.versions.v40.CustomerPreferences(session=None, **fields)Object for CUSTPR

nameField for name

obj_codeField for objCode

possible_valuesField for possibleValues

valueField for value

class workfront.versions.v40.Document(session=None, **fields)Object for DOCU

access_rulesCollection for accessRules

approvalsCollection for approvals

calculate_data_extension()The calculateDataExtension action.

categoryReference for category

category_idField for categoryID

checked_out_byReference for checkedOutBy

checked_out_by_idField for checkedOutByID

current_versionReference for currentVersion

current_version_idField for currentVersionID

customerReference for customer

customer_idField for customerID

46 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

descriptionField for description

doc_obj_codeField for docObjCode

document_request_idField for documentRequestID

download_urlField for downloadURL

ext_ref_idField for extRefID

external_integration_typeField for externalIntegrationType

foldersCollection for folders

groupsCollection for groups

handleField for handle

has_notesField for hasNotes

is_dirField for isDir

is_privateField for isPrivate

is_publicField for isPublic

iterationReference for iteration

iteration_idField for iterationID

last_mod_dateField for lastModDate

last_noteReference for lastNote

last_note_idField for lastNoteID

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

2.2. API Reference 47

python-workfront Documentation, Release 0.8.0

master_task_idField for masterTaskID

move(obj_id=None, doc_obj_code=None)The move action.

Parameters

• obj_id – objID (type: string)

• doc_obj_code – docObjCode (type: string)

nameField for name

obj_idField for objID

op_taskReference for opTask

op_task_idField for opTaskID

ownerReference for owner

owner_idField for ownerID

portfolioReference for portfolio

portfolio_idField for portfolioID

programReference for program

program_idField for programID

projectReference for project

project_idField for projectID

public_tokenField for publicToken

reference_obj_codeField for referenceObjCode

reference_obj_idField for referenceObjID

reference_object_nameField for referenceObjectName

release_versionReference for releaseVersion

release_version_idField for releaseVersionID

48 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

subscribersCollection for subscribers

taskReference for task

task_idField for taskID

templateReference for template

template_idField for templateID

template_taskReference for templateTask

template_task_idField for templateTaskID

top_doc_obj_codeField for topDocObjCode

top_obj_idField for topObjID

userReference for user

user_idField for userID

versionsCollection for versions

class workfront.versions.v40.DocumentApproval(session=None, **fields)Object for DOCAPL

approval_dateField for approvalDate

approverReference for approver

approver_idField for approverID

auto_document_share_idField for autoDocumentShareID

customerReference for customer

customer_idField for customerID

2.2. API Reference 49

python-workfront Documentation, Release 0.8.0

documentReference for document

document_idField for documentID

noteReference for note

note_idField for noteID

request_dateField for requestDate

requestorReference for requestor

requestor_idField for requestorID

statusField for status

class workfront.versions.v40.DocumentFolder(session=None, **fields)Object for DOCFDR

childrenCollection for children

customerReference for customer

customer_idField for customerID

documentsCollection for documents

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

issueReference for issue

issue_idField for issueID

iterationReference for iteration

iteration_idField for iterationID

nameField for name

50 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

parentReference for parent

parent_idField for parentID

portfolioReference for portfolio

portfolio_idField for portfolioID

programReference for program

program_idField for programID

projectReference for project

project_idField for projectID

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

taskReference for task

task_idField for taskID

templateReference for template

template_idField for templateID

template_taskReference for templateTask

template_task_idField for templateTaskID

userReference for user

user_idField for userID

class workfront.versions.v40.DocumentVersion(session=None, **fields)Object for DOCV

customerReference for customer

customer_idField for customerID

2.2. API Reference 51

python-workfront Documentation, Release 0.8.0

doc_sizeField for docSize

documentReference for document

document_idField for documentID

document_type_labelField for documentTypeLabel

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

extField for ext

external_download_urlField for externalDownloadURL

external_integration_typeField for externalIntegrationType

external_preview_urlField for externalPreviewURL

external_save_locationField for externalSaveLocation

external_storage_idField for externalStorageID

file_nameField for fileName

format_doc_sizeField for formatDocSize

format_entry_dateField for formatEntryDate

handleField for handle

is_proofableField for isProofable

proof_idField for proofID

proof_statusField for proofStatus

versionField for version

52 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

class workfront.versions.v40.ExchangeRate(session=None, **fields)Object for EXRATE

currencyField for currency

customerReference for customer

customer_idField for customerID

ext_ref_idField for extRefID

projectReference for project

project_idField for projectID

rateField for rate

templateReference for template

template_idField for templateID

class workfront.versions.v40.Expense(session=None, **fields)Object for EXPNS

actual_amountField for actualAmount

actual_unit_amountField for actualUnitAmount

billing_recordReference for billingRecord

billing_record_idField for billingRecordID

calculate_data_extension()The calculateDataExtension action.

categoryReference for category

category_idField for categoryID

customerReference for customer

customer_idField for customerID

descriptionField for description

2.2. API Reference 53

python-workfront Documentation, Release 0.8.0

effective_dateField for effectiveDate

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

exp_obj_codeField for expObjCode

expense_typeReference for expenseType

expense_type_idField for expenseTypeID

ext_ref_idField for extRefID

is_billableField for isBillable

is_reimbursableField for isReimbursable

is_reimbursedField for isReimbursed

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

master_task_idField for masterTaskID

move(obj_id=None, exp_obj_code=None)The move action.

Parameters

• obj_id – objID (type: string)

• exp_obj_code – expObjCode (type: string)

obj_idField for objID

planned_amountField for plannedAmount

planned_dateField for plannedDate

planned_unit_amountField for plannedUnitAmount

54 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

projectReference for project

project_idField for projectID

reference_obj_codeField for referenceObjCode

reference_obj_idField for referenceObjID

reference_object_nameField for referenceObjectName

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

taskReference for task

task_idField for taskID

templateReference for template

template_idField for templateID

template_taskReference for templateTask

template_task_idField for templateTaskID

top_obj_codeField for topObjCode

top_obj_idField for topObjID

top_reference_obj_codeField for topReferenceObjCode

top_reference_obj_idField for topReferenceObjID

class workfront.versions.v40.ExpenseType(session=None, **fields)Object for EXPTYP

app_global_idField for appGlobalID

customerReference for customer

customer_idField for customerID

2.2. API Reference 55

python-workfront Documentation, Release 0.8.0

descriptionField for description

description_keyField for descriptionKey

display_perField for displayPer

display_rate_unitField for displayRateUnit

ext_ref_idField for extRefID

nameField for name

name_keyField for nameKey

obj_idField for objID

obj_obj_codeField for objObjCode

rateField for rate

rate_unitField for rateUnit

class workfront.versions.v40.Favorite(session=None, **fields)Object for FVRITE

customerReference for customer

customer_idField for customerID

nameField for name

obj_idField for objID

obj_obj_codeField for objObjCode

userReference for user

user_idField for userID

class workfront.versions.v40.FinancialData(session=None, **fields)Object for FINDAT

actual_expense_costField for actualExpenseCost

56 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

actual_fixed_revenueField for actualFixedRevenue

actual_labor_costField for actualLaborCost

actual_labor_cost_hoursField for actualLaborCostHours

actual_labor_revenueField for actualLaborRevenue

allocationdateField for allocationdate

customerReference for customer

customer_idField for customerID

fixed_costField for fixedCost

is_splitField for isSplit

planned_expense_costField for plannedExpenseCost

planned_fixed_revenueField for plannedFixedRevenue

planned_labor_costField for plannedLaborCost

planned_labor_cost_hoursField for plannedLaborCostHours

planned_labor_revenueField for plannedLaborRevenue

projectReference for project

project_idField for projectID

total_actual_costField for totalActualCost

total_actual_revenueField for totalActualRevenue

total_planned_costField for totalPlannedCost

total_planned_revenueField for totalPlannedRevenue

total_variance_costField for totalVarianceCost

2.2. API Reference 57

python-workfront Documentation, Release 0.8.0

total_variance_revenueField for totalVarianceRevenue

variance_expense_costField for varianceExpenseCost

variance_labor_costField for varianceLaborCost

variance_labor_cost_hoursField for varianceLaborCostHours

variance_labor_revenueField for varianceLaborRevenue

class workfront.versions.v40.Group(session=None, **fields)Object for GROUP

customerReference for customer

customer_idField for customerID

descriptionField for description

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

ext_ref_idField for extRefID

nameField for name

class workfront.versions.v40.Hour(session=None, **fields)Object for HOUR

actual_costField for actualCost

approved_byReference for approvedBy

approved_by_idField for approvedByID

approved_on_dateField for approvedOnDate

billing_recordReference for billingRecord

billing_record_idField for billingRecordID

58 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

customerReference for customer

customer_idField for customerID

descriptionField for description

dup_idField for dupID

entry_dateField for entryDate

ext_ref_idField for extRefID

has_rate_overrideField for hasRateOverride

hour_typeReference for hourType

hour_type_idField for hourTypeID

hoursField for hours

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

op_taskReference for opTask

op_task_idField for opTaskID

ownerReference for owner

owner_idField for ownerID

projectReference for project

project_idField for projectID

project_overheadReference for projectOverhead

project_overhead_idField for projectOverheadID

2.2. API Reference 59

python-workfront Documentation, Release 0.8.0

reference_obj_codeField for referenceObjCode

reference_obj_idField for referenceObjID

resource_revenueField for resourceRevenue

roleReference for role

role_idField for roleID

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

statusField for status

taskReference for task

task_idField for taskID

timesheetReference for timesheet

timesheet_idField for timesheetID

class workfront.versions.v40.HourType(session=None, **fields)Object for HOURT

app_global_idField for appGlobalID

count_as_revenueField for countAsRevenue

customerReference for customer

customer_idField for customerID

descriptionField for description

description_keyField for descriptionKey

display_obj_obj_codeField for displayObjObjCode

ext_ref_idField for extRefID

60 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

is_activeField for isActive

nameField for name

name_keyField for nameKey

obj_idField for objID

obj_obj_codeField for objObjCode

overhead_typeField for overheadType

scopeField for scope

usersCollection for users

class workfront.versions.v40.Issue(session=None, **fields)Object for OPTASK

accept_work()The acceptWork action.

access_rulesCollection for accessRules

actual_completion_dateField for actualCompletionDate

actual_costField for actualCost

actual_start_dateField for actualStartDate

actual_work_requiredField for actualWorkRequired

actual_work_required_expressionField for actualWorkRequiredExpression

add_comment(text)Add a comment to the current object containing the supplied text.

The new Comment instance is returned, it does not need to be saved.

age_range_as_stringField for ageRangeAsString

all_prioritiesCollection for allPriorities

all_severitiesCollection for allSeverities

all_statusesCollection for allStatuses

2.2. API Reference 61

python-workfront Documentation, Release 0.8.0

approval_est_start_dateField for approvalEstStartDate

approval_planned_start_dateField for approvalPlannedStartDate

approval_planned_start_dayField for approvalPlannedStartDay

approval_processReference for approvalProcess

approval_process_idField for approvalProcessID

approval_projected_start_dateField for approvalProjectedStartDate

approve_approval(user_id=None, username=None, password=None, audit_note=None, au-dit_user_ids=None, send_note_as_email=None)

The approveApproval action.

Parameters

• user_id – userID (type: string)

• username – username (type: string)

• password – password (type: string)

• audit_note – auditNote (type: string)

• audit_user_ids – auditUserIDs (type: string[])

• send_note_as_email – sendNoteAsEmail (type: boolean)

approver_statusesCollection for approverStatuses

approvers_stringField for approversString

assign(obj_id=None, obj_code=None)The assign action.

Parameters

• obj_id – objID (type: string)

• obj_code – objCode (type: string)

assigned_toReference for assignedTo

assigned_to_idField for assignedToID

assignmentsCollection for assignments

audit_typesField for auditTypes

auto_closure_dateField for autoClosureDate

62 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

calculate_data_extension()The calculateDataExtension action.

can_startField for canStart

categoryReference for category

category_idField for categoryID

commit_dateField for commitDate

commit_date_rangeField for commitDateRange

conditionField for condition

convert_to_task()Convert this issue to a task. The newly converted task will be returned, it does not need to be saved.

current_approval_stepReference for currentApprovalStep

current_approval_step_idField for currentApprovalStepID

current_status_durationField for currentStatusDuration

customerReference for customer

customer_idField for customerID

descriptionField for description

documentsCollection for documents

done_statusesCollection for doneStatuses

due_dateField for dueDate

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

ext_ref_idField for extRefID

2.2. API Reference 63

python-workfront Documentation, Release 0.8.0

first_responseField for firstResponse

has_documentsField for hasDocuments

has_messagesField for hasMessages

has_notesField for hasNotes

has_resolvablesField for hasResolvables

has_timed_notificationsField for hasTimedNotifications

hoursCollection for hours

how_oldField for howOld

is_completeField for isComplete

is_help_deskField for isHelpDesk

last_condition_noteReference for lastConditionNote

last_condition_note_idField for lastConditionNoteID

last_noteReference for lastNote

last_note_idField for lastNoteID

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

mark_done(status=None)The markDone action.

Parameters status – status (type: string)

mark_not_done(assignment_id=None)The markNotDone action.

Parameters assignment_id – assignmentID (type: string)

move(project_id=None)The move action.

Parameters project_id – projectID (type: string)

64 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

move_to_task(project_id=None, parent_id=None)The moveToTask action.

Parameters

• project_id – projectID (type: string)

• parent_id – parentID (type: string)

nameField for name

number_of_childrenField for numberOfChildren

op_task_typeField for opTaskType

op_task_type_labelField for opTaskTypeLabel

ownerReference for owner

owner_idField for ownerID

parentReference for parent

planned_completion_dateField for plannedCompletionDate

planned_date_alignmentField for plannedDateAlignment

planned_hours_alignmentField for plannedHoursAlignment

planned_start_dateField for plannedStartDate

previous_statusField for previousStatus

primary_assignmentReference for primaryAssignment

priorityField for priority

projectReference for project

project_idField for projectID

projected_duration_minutesField for projectedDurationMinutes

projected_start_dateField for projectedStartDate

queue_topicReference for queueTopic

2.2. API Reference 65

python-workfront Documentation, Release 0.8.0

queue_topic_idField for queueTopicID

recall_approval()The recallApproval action.

reference_numberField for referenceNumber

reference_obj_codeField for referenceObjCode

reference_obj_idField for referenceObjID

reject_approval(user_id=None, username=None, password=None, audit_note=None, au-dit_user_ids=None, send_note_as_email=None)

The rejectApproval action.

Parameters

• user_id – userID (type: string)

• username – username (type: string)

• password – password (type: string)

• audit_note – auditNote (type: string)

• audit_user_ids – auditUserIDs (type: string[])

• send_note_as_email – sendNoteAsEmail (type: boolean)

rejection_issueReference for rejectionIssue

rejection_issue_idField for rejectionIssueID

remaining_duration_minutesField for remainingDurationMinutes

reply_to_assignment(note_text=None, commit_date=None)The replyToAssignment action.

Parameters

• note_text – noteText (type: string)

• commit_date – commitDate (type: dateTime)

resolution_timeField for resolutionTime

resolvablesCollection for resolvables

resolve_op_taskReference for resolveOpTask

resolve_op_task_idField for resolveOpTaskID

resolve_projectReference for resolveProject

66 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

resolve_project_idField for resolveProjectID

resolve_taskReference for resolveTask

resolve_task_idField for resolveTaskID

resolving_obj_codeField for resolvingObjCode

resolving_obj_idField for resolvingObjID

roleReference for role

role_idField for roleID

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

severityField for severity

source_obj_codeField for sourceObjCode

source_obj_idField for sourceObjID

source_taskReference for sourceTask

source_task_idField for sourceTaskID

statusField for status

status_updateField for statusUpdate

submitted_byReference for submittedBy

submitted_by_idField for submittedByID

teamReference for team

team_assignmentReference for teamAssignment

team_idField for teamID

2.2. API Reference 67

python-workfront Documentation, Release 0.8.0

unaccept_work()The unacceptWork action.

unassign(user_id=None)The unassign action.

Parameters user_id – userID (type: string)

updatesCollection for updates

urlField for url

work_itemReference for workItem

work_requiredField for workRequired

work_required_expressionField for workRequiredExpression

class workfront.versions.v40.Iteration(session=None, **fields)Object for ITRN

capacityField for capacity

categoryReference for category

category_idField for categoryID

customerReference for customer

customer_idField for customerID

documentsCollection for documents

end_dateField for endDate

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

estimate_completedField for estimateCompleted

focus_factorField for focusFactor

goalField for goal

68 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

has_documentsField for hasDocuments

has_notesField for hasNotes

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

nameField for name

ownerReference for owner

owner_idField for ownerID

percent_completeField for percentComplete

start_dateField for startDate

statusField for status

target_percent_completeField for targetPercentComplete

task_idsField for taskIDs

teamReference for team

team_idField for teamID

total_estimateField for totalEstimate

urlField for URL

class workfront.versions.v40.JournalEntry(session=None, **fields)Object for JRNLE

assignmentReference for assignment

assignment_idField for assignmentID

aux1Field for aux1

2.2. API Reference 69

python-workfront Documentation, Release 0.8.0

aux2Field for aux2

aux3Field for aux3

billing_recordReference for billingRecord

billing_record_idField for billingRecordID

change_typeField for changeType

customerReference for customer

customer_idField for customerID

documentReference for document

document_approvalReference for documentApproval

document_approval_idField for documentApprovalID

document_idField for documentID

document_share_idField for documentShareID

duration_minutesField for durationMinutes

edited_byReference for editedBy

edited_by_idField for editedByID

entry_dateField for entryDate

expenseReference for expense

expense_idField for expenseID

ext_ref_idField for extRefID

field_nameField for fieldName

flagsField for flags

70 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

hourReference for hour

hour_idField for hourID

like()The like action.

new_date_valField for newDateVal

new_number_valField for newNumberVal

new_text_valField for newTextVal

num_likesField for numLikes

num_repliesField for numReplies

obj_idField for objID

obj_obj_codeField for objObjCode

old_date_valField for oldDateVal

old_number_valField for oldNumberVal

old_text_valField for oldTextVal

op_taskReference for opTask

op_task_idField for opTaskID

portfolioReference for portfolio

portfolio_idField for portfolioID

programReference for program

program_idField for programID

projectReference for project

project_idField for projectID

2.2. API Reference 71

python-workfront Documentation, Release 0.8.0

repliesCollection for replies

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

sub_obj_codeField for subObjCode

sub_obj_idField for subObjID

taskReference for task

task_idField for taskID

templateReference for template

template_idField for templateID

timesheetReference for timesheet

timesheet_idField for timesheetID

top_obj_codeField for topObjCode

top_obj_idField for topObjID

unlike()The unlike action.

userReference for user

user_idField for userID

class workfront.versions.v40.LayoutTemplate(session=None, **fields)Object for LYTMPL

app_global_idField for appGlobalID

customerReference for customer

customer_idField for customerID

default_nav_itemField for defaultNavItem

72 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

descriptionField for description

description_keyField for descriptionKey

ext_ref_idField for extRefID

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

license_typeField for licenseType

linked_rolesCollection for linkedRoles

linked_teamsCollection for linkedTeams

linked_usersCollection for linkedUsers

nameField for name

name_keyField for nameKey

nav_barField for navBar

nav_itemsField for navItems

obj_idField for objID

obj_obj_codeField for objObjCode

ui_filtersCollection for uiFilters

ui_group_bysCollection for uiGroupBys

ui_viewsCollection for uiViews

class workfront.versions.v40.MessageArg(session=None, **fields)Object for MSGARG

allowed_actionsField for allowedActions

2.2. API Reference 73

python-workfront Documentation, Release 0.8.0

colorField for color

hrefField for href

objcodeField for objcode

objidField for objid

textField for text

typeField for type

class workfront.versions.v40.Milestone(session=None, **fields)Object for MILE

colorField for color

customerReference for customer

customer_idField for customerID

descriptionField for description

ext_ref_idField for extRefID

milestone_pathReference for milestonePath

milestone_path_idField for milestonePathID

nameField for name

sequenceField for sequence

class workfront.versions.v40.MilestonePath(session=None, **fields)Object for MPATH

customerReference for customer

customer_idField for customerID

descriptionField for description

entered_byReference for enteredBy

74 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

entered_by_idField for enteredByID

entry_dateField for entryDate

ext_ref_idField for extRefID

groupsCollection for groups

milestonesCollection for milestones

nameField for name

class workfront.versions.v40.NonWorkDay(session=None, **fields)Object for NONWKD

customerReference for customer

customer_idField for customerID

non_work_dateField for nonWorkDate

obj_idField for objID

obj_obj_codeField for objObjCode

scheduleReference for schedule

schedule_dayField for scheduleDay

schedule_idField for scheduleID

userReference for user

user_idField for userID

class workfront.versions.v40.Note(session=None, **fields)Object for NOTE

add_comment(text)Add a comment to this comment.

The new Comment instance is returned, it does not need to be saved.

attach_documentReference for attachDocument

attach_document_idField for attachDocumentID

2.2. API Reference 75

python-workfront Documentation, Release 0.8.0

attach_obj_codeField for attachObjCode

attach_obj_idField for attachObjID

attach_op_taskReference for attachOpTask

attach_op_task_idField for attachOpTaskID

audit_textField for auditText

audit_typeField for auditType

customerReference for customer

customer_idField for customerID

documentReference for document

document_idField for documentID

email_usersField for emailUsers

entry_dateField for entryDate

ext_ref_idField for extRefID

format_entry_dateField for formatEntryDate

has_repliesField for hasReplies

indentField for indent

is_deletedField for isDeleted

is_messageField for isMessage

is_privateField for isPrivate

is_replyField for isReply

iterationReference for iteration

76 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

iteration_idField for iterationID

like()The like action.

note_obj_codeField for noteObjCode

note_textField for noteText

num_likesField for numLikes

num_repliesField for numReplies

obj_idField for objID

op_taskReference for opTask

op_task_idField for opTaskID

ownerReference for owner

owner_idField for ownerID

parent_endorsement_idField for parentEndorsementID

parent_journal_entryReference for parentJournalEntry

parent_journal_entry_idField for parentJournalEntryID

parent_noteReference for parentNote

parent_note_idField for parentNoteID

portfolioReference for portfolio

portfolio_idField for portfolioID

programReference for program

program_idField for programID

projectReference for project

2.2. API Reference 77

python-workfront Documentation, Release 0.8.0

project_idField for projectID

reference_object_nameField for referenceObjectName

repliesCollection for replies

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

subjectField for subject

tagsCollection for tags

taskReference for task

task_idField for taskID

templateReference for template

template_idField for templateID

template_taskReference for templateTask

template_task_idField for templateTaskID

thread_dateField for threadDate

thread_idField for threadID

timesheetReference for timesheet

timesheet_idField for timesheetID

top_note_obj_codeField for topNoteObjCode

top_obj_idField for topObjID

top_reference_object_nameField for topReferenceObjectName

unlike()The unlike action.

78 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

userReference for user

user_idField for userID

class workfront.versions.v40.NoteTag(session=None, **fields)Object for NTAG

customerReference for customer

customer_idField for customerID

lengthField for length

noteReference for note

note_idField for noteID

obj_idField for objID

obj_obj_codeField for objObjCode

reference_object_nameField for referenceObjectName

start_idxField for startIdx

teamReference for team

team_idField for teamID

userReference for user

user_idField for userID

class workfront.versions.v40.Parameter(session=None, **fields)Object for PARAM

customerReference for customer

customer_idField for customerID

data_typeField for dataType

descriptionField for description

2.2. API Reference 79

python-workfront Documentation, Release 0.8.0

display_sizeField for displaySize

display_typeField for displayType

ext_ref_idField for extRefID

format_constraintField for formatConstraint

is_requiredField for isRequired

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

nameField for name

parameter_optionsCollection for parameterOptions

class workfront.versions.v40.ParameterGroup(session=None, **fields)Object for PGRP

customerReference for customer

customer_idField for customerID

descriptionField for description

display_orderField for displayOrder

ext_ref_idField for extRefID

is_defaultField for isDefault

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

nameField for name

80 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

class workfront.versions.v40.ParameterOption(session=None, **fields)Object for POPT

customerReference for customer

customer_idField for customerID

display_orderField for displayOrder

ext_ref_idField for extRefID

is_defaultField for isDefault

is_hiddenField for isHidden

labelField for label

parameterReference for parameter

parameter_idField for parameterID

valueField for value

class workfront.versions.v40.Portfolio(session=None, **fields)Object for PORT

access_rulesCollection for accessRules

alignedField for aligned

alignment_score_cardReference for alignmentScoreCard

alignment_score_card_idField for alignmentScoreCardID

audit_typesField for auditTypes

budgetField for budget

calculate_data_extension()The calculateDataExtension action.

categoryReference for category

category_idField for categoryID

2.2. API Reference 81

python-workfront Documentation, Release 0.8.0

currencyField for currency

customerReference for customer

customer_idField for customerID

descriptionField for description

documentsCollection for documents

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

ext_ref_idField for extRefID

groupsCollection for groups

has_documentsField for hasDocuments

has_messagesField for hasMessages

has_notesField for hasNotes

is_activeField for isActive

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

nameField for name

net_valueField for netValue

on_budgetField for onBudget

on_timeField for onTime

82 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

ownerReference for owner

owner_idField for ownerID

programsCollection for programs

projectsCollection for projects

roiField for roi

class workfront.versions.v40.Predecessor(session=None, **fields)Object for PRED

customerReference for customer

customer_idField for customerID

is_cpField for isCP

is_enforcedField for isEnforced

lag_daysField for lagDays

lag_typeField for lagType

predecessorReference for predecessor

predecessor_idField for predecessorID

predecessor_typeField for predecessorType

successorReference for successor

successor_idField for successorID

class workfront.versions.v40.Program(session=None, **fields)Object for PRGM

access_rulesCollection for accessRules

audit_typesField for auditTypes

calculate_data_extension()The calculateDataExtension action.

2.2. API Reference 83

python-workfront Documentation, Release 0.8.0

categoryReference for category

category_idField for categoryID

customerReference for customer

customer_idField for customerID

descriptionField for description

documentsCollection for documents

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

ext_ref_idField for extRefID

has_documentsField for hasDocuments

has_messagesField for hasMessages

has_notesField for hasNotes

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

move(portfolio_id=None, options=None)The move action.

Parameters

• portfolio_id – portfolioID (type: string)

• options – options (type: string[])

nameField for name

ownerReference for owner

owner_idField for ownerID

84 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

portfolioReference for portfolio

portfolio_idField for portfolioID

projectsCollection for projects

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

class workfront.versions.v40.Project(session=None, **fields)Object for PROJ

access_rulesCollection for accessRules

actual_benefitField for actualBenefit

actual_completion_dateField for actualCompletionDate

actual_costField for actualCost

actual_duration_expressionField for actualDurationExpression

actual_duration_minutesField for actualDurationMinutes

actual_expense_costField for actualExpenseCost

actual_hours_last_monthField for actualHoursLastMonth

actual_hours_last_three_monthsField for actualHoursLastThreeMonths

actual_hours_this_monthField for actualHoursThisMonth

actual_hours_two_months_agoField for actualHoursTwoMonthsAgo

actual_labor_costField for actualLaborCost

actual_revenueField for actualRevenue

actual_risk_costField for actualRiskCost

actual_start_dateField for actualStartDate

2.2. API Reference 85

python-workfront Documentation, Release 0.8.0

actual_valueField for actualValue

actual_work_requiredField for actualWorkRequired

actual_work_required_expressionField for actualWorkRequiredExpression

alignmentField for alignment

alignment_score_cardReference for alignmentScoreCard

alignment_score_card_idField for alignmentScoreCardID

alignment_valuesCollection for alignmentValues

all_approved_hoursField for allApprovedHours

all_hoursCollection for allHours

all_prioritiesCollection for allPriorities

all_statusesCollection for allStatuses

all_unapproved_hoursField for allUnapprovedHours

approval_est_start_dateField for approvalEstStartDate

approval_planned_start_dateField for approvalPlannedStartDate

approval_planned_start_dayField for approvalPlannedStartDay

approval_processReference for approvalProcess

approval_process_idField for approvalProcessID

approval_projected_start_dateField for approvalProjectedStartDate

approve_approval(user_id=None, approval_username=None, approval_password=None, au-dit_note=None, audit_user_ids=None, send_note_as_email=None)

The approveApproval action.

Parameters

• user_id – userID (type: string)

• approval_username – approvalUsername (type: string)

• approval_password – approvalPassword (type: string)

86 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

• audit_note – auditNote (type: string)

• audit_user_ids – auditUserIDs (type: string[])

• send_note_as_email – sendNoteAsEmail (type: boolean)

approver_statusesCollection for approverStatuses

approvers_stringField for approversString

attach_template(template_id=None, predecessor_task_id=None, parent_task_id=None, ex-clude_template_task_ids=None, options=None)

The attachTemplate action.

Parameters

• template_id – templateID (type: string)

• predecessor_task_id – predecessorTaskID (type: string)

• parent_task_id – parentTaskID (type: string)

• exclude_template_task_ids – excludeTemplateTaskIDs (type: string[])

• options – options (type: string[])

Returns string

audit_typesField for auditTypes

auto_baseline_recur_onField for autoBaselineRecurOn

auto_baseline_recurrence_typeField for autoBaselineRecurrenceType

baselinesCollection for baselines

bccompletion_stateField for BCCompletionState

billed_revenueField for billedRevenue

billing_recordsCollection for billingRecords

budgetField for budget

budget_statusField for budgetStatus

budgeted_completion_dateField for budgetedCompletionDate

budgeted_costField for budgetedCost

budgeted_hoursField for budgetedHours

2.2. API Reference 87

python-workfront Documentation, Release 0.8.0

budgeted_labor_costField for budgetedLaborCost

budgeted_start_dateField for budgetedStartDate

business_case_status_labelField for businessCaseStatusLabel

calculate_data_extension()The calculateDataExtension action.

calculate_finance()The calculateFinance action.

calculate_timeline()The calculateTimeline action.

categoryReference for category

category_idField for categoryID

companyReference for company

company_idField for companyID

completion_typeField for completionType

conditionField for condition

condition_typeField for conditionType

converted_op_task_entry_dateField for convertedOpTaskEntryDate

converted_op_task_nameField for convertedOpTaskName

converted_op_task_originatorReference for convertedOpTaskOriginator

converted_op_task_originator_idField for convertedOpTaskOriginatorID

cpiField for cpi

csiField for csi

currencyField for currency

current_approval_stepReference for currentApprovalStep

88 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

current_approval_step_idField for currentApprovalStepID

customerReference for customer

customer_idField for customerID

default_baselineReference for defaultBaseline

deliverable_score_cardReference for deliverableScoreCard

deliverable_score_card_idField for deliverableScoreCardID

deliverable_success_scoreField for deliverableSuccessScore

deliverable_success_score_ratioField for deliverableSuccessScoreRatio

deliverable_valuesCollection for deliverableValues

descriptionField for description

display_orderField for displayOrder

documentsCollection for documents

duration_expressionField for durationExpression

duration_minutesField for durationMinutes

eacField for eac

enable_auto_baselinesField for enableAutoBaselines

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

est_completion_dateField for estCompletionDate

est_start_dateField for estStartDate

2.2. API Reference 89

python-workfront Documentation, Release 0.8.0

exchange_rateReference for exchangeRate

exchange_ratesCollection for exchangeRates

expensesCollection for expenses

ext_ref_idField for extRefID

filter_hour_typesField for filterHourTypes

finance_last_update_dateField for financeLastUpdateDate

fixed_costField for fixedCost

fixed_end_dateField for fixedEndDate

fixed_revenueField for fixedRevenue

fixed_start_dateField for fixedStartDate

groupReference for group

group_idField for groupID

has_budget_conflictField for hasBudgetConflict

has_calc_errorField for hasCalcError

has_completion_constraintField for hasCompletionConstraint

has_documentsField for hasDocuments

has_expensesField for hasExpenses

has_messagesField for hasMessages

has_notesField for hasNotes

has_rate_overrideField for hasRateOverride

has_resolvablesField for hasResolvables

90 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

has_start_constraintField for hasStartConstraint

has_timed_notificationsField for hasTimedNotifications

hour_typesCollection for hourTypes

hoursCollection for hours

last_calc_dateField for lastCalcDate

last_condition_noteReference for lastConditionNote

last_condition_note_idField for lastConditionNoteID

last_noteReference for lastNote

last_note_idField for lastNoteID

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

leveling_modeField for levelingMode

milestone_pathReference for milestonePath

milestone_path_idField for milestonePathID

nameField for name

next_auto_baseline_dateField for nextAutoBaselineDate

number_open_op_tasksField for numberOpenOpTasks

olvField for olv

open_op_tasksCollection for openOpTasks

optimization_scoreField for optimizationScore

2.2. API Reference 91

python-workfront Documentation, Release 0.8.0

ownerReference for owner

owner_idField for ownerID

owner_privilegesField for ownerPrivileges

percent_completeField for percentComplete

performance_index_methodField for performanceIndexMethod

personalField for personal

planned_benefitField for plannedBenefit

planned_completion_dateField for plannedCompletionDate

planned_costField for plannedCost

planned_date_alignmentField for plannedDateAlignment

planned_expense_costField for plannedExpenseCost

planned_hours_alignmentField for plannedHoursAlignment

planned_labor_costField for plannedLaborCost

planned_revenueField for plannedRevenue

planned_risk_costField for plannedRiskCost

planned_start_dateField for plannedStartDate

planned_valueField for plannedValue

pop_account_idField for popAccountID

portfolioReference for portfolio

portfolio_idField for portfolioID

portfolio_priorityField for portfolioPriority

92 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

previous_statusField for previousStatus

priorityField for priority

programReference for program

program_idField for programID

progress_statusField for progressStatus

projectReference for project

project_user_rolesCollection for projectUserRoles

project_usersCollection for projectUsers

projected_completion_dateField for projectedCompletionDate

projected_start_dateField for projectedStartDate

queue_defReference for queueDef

queue_def_idField for queueDefID

ratesCollection for rates

recall_approval()The recallApproval action.

reference_numberField for referenceNumber

reject_approval(user_id=None, approval_username=None, approval_password=None, au-dit_note=None, audit_user_ids=None, send_note_as_email=None)

The rejectApproval action.

Parameters

• user_id – userID (type: string)

• approval_username – approvalUsername (type: string)

• approval_password – approvalPassword (type: string)

• audit_note – auditNote (type: string)

• audit_user_ids – auditUserIDs (type: string[])

• send_note_as_email – sendNoteAsEmail (type: boolean)

rejection_issueReference for rejectionIssue

2.2. API Reference 93

python-workfront Documentation, Release 0.8.0

rejection_issue_idField for rejectionIssueID

remaining_costField for remainingCost

remaining_revenueField for remainingRevenue

remaining_risk_costField for remainingRiskCost

resolvablesCollection for resolvables

resource_allocationsCollection for resourceAllocations

resource_poolReference for resourcePool

resource_pool_idField for resourcePoolID

riskField for risk

risk_performance_indexField for riskPerformanceIndex

risksCollection for risks

roiField for roi

rolesCollection for roles

routing_rulesCollection for routingRules

scheduleReference for schedule

schedule_idField for scheduleID

schedule_modeField for scheduleMode

selected_on_portfolio_optimizerField for selectedOnPortfolioOptimizer

set_budget_to_schedule()The setBudgetToSchedule action.

spiField for spi

sponsorReference for sponsor

94 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

sponsor_idField for sponsorID

statusField for status

status_updateField for statusUpdate

submitted_byReference for submittedBy

submitted_by_idField for submittedByID

summary_completion_typeField for summaryCompletionType

tasksCollection for tasks

templateReference for template

template_idField for templateID

total_hoursField for totalHours

total_op_task_countField for totalOpTaskCount

total_task_countField for totalTaskCount

update_typeField for updateType

updatesCollection for updates

urlField for URL

versionField for version

work_requiredField for workRequired

work_required_expressionField for workRequiredExpression

class workfront.versions.v40.ProjectUser(session=None, **fields)Object for PRTU

customerReference for customer

customer_idField for customerID

2.2. API Reference 95

python-workfront Documentation, Release 0.8.0

projectReference for project

project_idField for projectID

userReference for user

user_idField for userID

class workfront.versions.v40.ProjectUserRole(session=None, **fields)Object for PTEAM

customerReference for customer

customer_idField for customerID

projectReference for project

project_idField for projectID

roleReference for role

role_idField for roleID

userReference for user

user_idField for userID

class workfront.versions.v40.QueueDef(session=None, **fields)Object for QUED

add_op_task_styleField for addOpTaskStyle

allowed_op_task_typesField for allowedOpTaskTypes

allowed_queue_topic_idsField for allowedQueueTopicIDs

customerReference for customer

customer_idField for customerID

default_approval_processReference for defaultApprovalProcess

default_approval_process_idField for defaultApprovalProcessID

96 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

default_categoryReference for defaultCategory

default_category_idField for defaultCategoryID

default_duration_expressionField for defaultDurationExpression

default_duration_minutesField for defaultDurationMinutes

default_duration_unitField for defaultDurationUnit

default_routeReference for defaultRoute

default_route_idField for defaultRouteID

ext_ref_idField for extRefID

has_queue_topicsField for hasQueueTopics

is_publicField for isPublic

projectReference for project

project_idField for projectID

queue_topicsCollection for queueTopics

requestor_core_actionField for requestorCoreAction

requestor_forbidden_actionsField for requestorForbiddenActions

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

templateReference for template

template_idField for templateID

visible_op_task_fieldsField for visibleOpTaskFields

class workfront.versions.v40.QueueTopic(session=None, **fields)Object for QUET

2.2. API Reference 97

python-workfront Documentation, Release 0.8.0

allowed_op_task_typesField for allowedOpTaskTypes

customerReference for customer

customer_idField for customerID

default_approval_processReference for defaultApprovalProcess

default_approval_process_idField for defaultApprovalProcessID

default_categoryReference for defaultCategory

default_category_idField for defaultCategoryID

default_durationField for defaultDuration

default_duration_expressionField for defaultDurationExpression

default_duration_minutesField for defaultDurationMinutes

default_duration_unitField for defaultDurationUnit

default_routeReference for defaultRoute

default_route_idField for defaultRouteID

descriptionField for description

ext_ref_idField for extRefID

indented_nameField for indentedName

nameField for name

parent_topicReference for parentTopic

parent_topic_idField for parentTopicID

queue_defReference for queueDef

queue_def_idField for queueDefID

98 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

class workfront.versions.v40.Rate(session=None, **fields)Object for RATE

companyReference for company

company_idField for companyID

customerReference for customer

customer_idField for customerID

ext_ref_idField for extRefID

projectReference for project

project_idField for projectID

rate_valueField for rateValue

roleReference for role

role_idField for roleID

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

class workfront.versions.v40.ReservedTime(session=None, **fields)Object for RESVT

customerReference for customer

customer_idField for customerID

end_dateField for endDate

start_dateField for startDate

taskReference for task

task_idField for taskID

userReference for user

2.2. API Reference 99

python-workfront Documentation, Release 0.8.0

user_idField for userID

class workfront.versions.v40.ResourceAllocation(session=None, **fields)Object for RSALLO

allocation_dateField for allocationDate

budgeted_hoursField for budgetedHours

customerReference for customer

customer_idField for customerID

is_splitField for isSplit

obj_idField for objID

obj_obj_codeField for objObjCode

projectReference for project

project_idField for projectID

resource_poolReference for resourcePool

resource_pool_idField for resourcePoolID

roleReference for role

role_idField for roleID

scheduled_hoursField for scheduledHours

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

class workfront.versions.v40.ResourcePool(session=None, **fields)Object for RSPOOL

customerReference for customer

customer_idField for customerID

100 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

descriptionField for description

display_orderField for displayOrder

ext_ref_idField for extRefID

nameField for name

resource_allocationsCollection for resourceAllocations

rolesCollection for roles

usersCollection for users

class workfront.versions.v40.Risk(session=None, **fields)Object for RISK

actual_costField for actualCost

customerReference for customer

customer_idField for customerID

descriptionField for description

estimated_effectField for estimatedEffect

ext_ref_idField for extRefID

mitigation_costField for mitigationCost

mitigation_descriptionField for mitigationDescription

probabilityField for probability

projectReference for project

project_idField for projectID

risk_typeReference for riskType

risk_type_idField for riskTypeID

2.2. API Reference 101

python-workfront Documentation, Release 0.8.0

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

statusField for status

templateReference for template

template_idField for templateID

class workfront.versions.v40.RiskType(session=None, **fields)Object for RSKTYP

customerReference for customer

customer_idField for customerID

descriptionField for description

ext_ref_idField for extRefID

nameField for name

class workfront.versions.v40.Role(session=None, **fields)Object for ROLE

billing_per_hourField for billingPerHour

cost_per_hourField for costPerHour

customerReference for customer

customer_idField for customerID

descriptionField for description

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

ext_ref_idField for extRefID

102 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

layout_templateReference for layoutTemplate

layout_template_idField for layoutTemplateID

max_usersField for maxUsers

nameField for name

class workfront.versions.v40.RoutingRule(session=None, **fields)Object for RRUL

customerReference for customer

customer_idField for customerID

default_assigned_toReference for defaultAssignedTo

default_assigned_to_idField for defaultAssignedToID

default_projectReference for defaultProject

default_project_idField for defaultProjectID

default_roleReference for defaultRole

default_role_idField for defaultRoleID

default_teamReference for defaultTeam

default_team_idField for defaultTeamID

descriptionField for description

nameField for name

projectReference for project

project_idField for projectID

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

2.2. API Reference 103

python-workfront Documentation, Release 0.8.0

templateReference for template

template_idField for templateID

class workfront.versions.v40.Schedule(session=None, **fields)Object for SCHED

customerReference for customer

customer_idField for customerID

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

ext_ref_idField for extRefID

fridayField for friday

get_earliest_work_time_of_day(date=None)The getEarliestWorkTimeOfDay action.

Parameters date – date (type: dateTime)

Returns dateTime

get_latest_work_time_of_day(date=None)The getLatestWorkTimeOfDay action.

Parameters date – date (type: dateTime)

Returns dateTime

get_next_completion_date(date=None, cost_in_minutes=None)The getNextCompletionDate action.

Parameters

• date – date (type: dateTime)

• cost_in_minutes – costInMinutes (type: int)

Returns dateTime

get_next_start_date(date=None)The getNextStartDate action.

Parameters date – date (type: dateTime)

Returns dateTime

groupReference for group

104 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

group_idField for groupID

has_non_work_daysField for hasNonWorkDays

is_defaultField for isDefault

mondayField for monday

nameField for name

non_work_daysCollection for nonWorkDays

other_groupsCollection for otherGroups

saturdayField for saturday

sundayField for sunday

thursdayField for thursday

time_zoneField for timeZone

tuesdayField for tuesday

wednesdayField for wednesday

class workfront.versions.v40.ScoreCard(session=None, **fields)Object for SCORE

customerReference for customer

customer_idField for customerID

descriptionField for description

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

ext_ref_idField for extRefID

2.2. API Reference 105

python-workfront Documentation, Release 0.8.0

is_publicField for isPublic

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

nameField for name

obj_idField for objID

obj_obj_codeField for objObjCode

projectReference for project

project_idField for projectID

score_card_questionsCollection for scoreCardQuestions

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

templateReference for template

template_idField for templateID

class workfront.versions.v40.ScoreCardAnswer(session=None, **fields)Object for SCANS

customerReference for customer

customer_idField for customerID

number_valField for numberVal

obj_idField for objID

obj_obj_codeField for objObjCode

projectReference for project

106 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

project_idField for projectID

score_cardReference for scoreCard

score_card_idField for scoreCardID

score_card_optionReference for scoreCardOption

score_card_option_idField for scoreCardOptionID

score_card_questionReference for scoreCardQuestion

score_card_question_idField for scoreCardQuestionID

templateReference for template

template_idField for templateID

typeField for type

class workfront.versions.v40.ScoreCardOption(session=None, **fields)Object for SCOPT

customerReference for customer

customer_idField for customerID

display_orderField for displayOrder

is_defaultField for isDefault

is_hiddenField for isHidden

labelField for label

score_card_questionReference for scoreCardQuestion

score_card_question_idField for scoreCardQuestionID

valueField for value

class workfront.versions.v40.ScoreCardQuestion(session=None, **fields)Object for SCOREQ

2.2. API Reference 107

python-workfront Documentation, Release 0.8.0

customerReference for customer

customer_idField for customerID

descriptionField for description

display_orderField for displayOrder

display_typeField for displayType

nameField for name

score_cardReference for scoreCard

score_card_idField for scoreCardID

score_card_optionsCollection for scoreCardOptions

weightField for weight

class workfront.versions.v40.StepApprover(session=None, **fields)Object for SPAPVR

approval_stepReference for approvalStep

approval_step_idField for approvalStepID

customerReference for customer

customer_idField for customerID

roleReference for role

role_idField for roleID

teamReference for team

team_idField for teamID

userReference for user

user_idField for userID

108 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

wild_cardField for wildCard

class workfront.versions.v40.Task(session=None, **fields)Object for TASK

accept_work()The acceptWork action.

access_rulesCollection for accessRules

actual_completion_dateField for actualCompletionDate

actual_costField for actualCost

actual_durationField for actualDuration

actual_duration_minutesField for actualDurationMinutes

actual_expense_costField for actualExpenseCost

actual_labor_costField for actualLaborCost

actual_revenueField for actualRevenue

actual_start_dateField for actualStartDate

actual_workField for actualWork

actual_work_requiredField for actualWorkRequired

add_comment(text)Add a comment to the current object containing the supplied text.

The new Comment instance is returned, it does not need to be saved.

all_prioritiesCollection for allPriorities

all_statusesCollection for allStatuses

approval_est_start_dateField for approvalEstStartDate

approval_planned_start_dateField for approvalPlannedStartDate

approval_planned_start_dayField for approvalPlannedStartDay

approval_processReference for approvalProcess

2.2. API Reference 109

python-workfront Documentation, Release 0.8.0

approval_process_idField for approvalProcessID

approval_projected_start_dateField for approvalProjectedStartDate

approve_approval(user_id=None, username=None, password=None, audit_note=None, au-dit_user_ids=None, send_note_as_email=None)

The approveApproval action.

Parameters

• user_id – userID (type: string)

• username – username (type: string)

• password – password (type: string)

• audit_note – auditNote (type: string)

• audit_user_ids – auditUserIDs (type: string[])

• send_note_as_email – sendNoteAsEmail (type: boolean)

approver_statusesCollection for approverStatuses

approvers_stringField for approversString

assign(obj_id=None, obj_code=None)The assign action.

Parameters

• obj_id – objID (type: string)

• obj_code – objCode (type: string)

assigned_toReference for assignedTo

assigned_to_idField for assignedToID

assignmentsCollection for assignments

assignments_list_stringField for assignmentsListString

audit_noteField for auditNote

audit_typesField for auditTypes

audit_user_idsField for auditUserIDs

backlog_orderField for backlogOrder

billing_amountField for billingAmount

110 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

billing_recordReference for billingRecord

billing_record_idField for billingRecordID

bulk_copy(task_ids=None, project_id=None, parent_id=None, options=None)The bulkCopy action.

Parameters

• task_ids – taskIDs (type: string[])

• project_id – projectID (type: string)

• parent_id – parentID (type: string)

• options – options (type: string[])

Returns string[]

bulk_move(task_ids=None, project_id=None, parent_id=None, options=None)The bulkMove action.

Parameters

• task_ids – taskIDs (type: string[])

• project_id – projectID (type: string)

• parent_id – parentID (type: string)

• options – options (type: string[])

calculate_data_extension()The calculateDataExtension action.

can_startField for canStart

categoryReference for category

category_idField for categoryID

childrenCollection for children

colorField for color

commit_dateField for commitDate

commit_date_rangeField for commitDateRange

completion_pending_dateField for completionPendingDate

conditionField for condition

constraint_dateField for constraintDate

2.2. API Reference 111

python-workfront Documentation, Release 0.8.0

converted_op_task_entry_dateField for convertedOpTaskEntryDate

converted_op_task_nameField for convertedOpTaskName

converted_op_task_originatorReference for convertedOpTaskOriginator

converted_op_task_originator_idField for convertedOpTaskOriginatorID

cost_amountField for costAmount

cost_typeField for costType

cpiField for cpi

csiField for csi

current_approval_stepReference for currentApprovalStep

current_approval_step_idField for currentApprovalStepID

customerReference for customer

customer_idField for customerID

days_lateField for daysLate

default_baseline_taskReference for defaultBaselineTask

descriptionField for description

documentsCollection for documents

done_statusesCollection for doneStatuses

due_dateField for dueDate

durationField for duration

duration_expressionField for durationExpression

duration_minutesField for durationMinutes

112 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

duration_typeField for durationType

duration_unitField for durationUnit

eacField for eac

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

est_completion_dateField for estCompletionDate

est_start_dateField for estStartDate

estimateField for estimate

expensesCollection for expenses

ext_ref_idField for extRefID

groupReference for group

group_idField for groupID

handoff_dateField for handoffDate

has_completion_constraintField for hasCompletionConstraint

has_documentsField for hasDocuments

has_expensesField for hasExpenses

has_messagesField for hasMessages

has_notesField for hasNotes

has_resolvablesField for hasResolvables

has_start_constraintField for hasStartConstraint

2.2. API Reference 113

python-workfront Documentation, Release 0.8.0

has_timed_notificationsField for hasTimedNotifications

hoursCollection for hours

hours_per_pointField for hoursPerPoint

indentField for indent

is_agileField for isAgile

is_criticalField for isCritical

is_duration_lockedField for isDurationLocked

is_leveling_excludedField for isLevelingExcluded

is_readyField for isReady

is_work_required_lockedField for isWorkRequiredLocked

iterationReference for iteration

iteration_idField for iterationID

last_condition_noteReference for lastConditionNote

last_condition_note_idField for lastConditionNoteID

last_noteReference for lastNote

last_note_idField for lastNoteID

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

leveling_start_delayField for levelingStartDelay

leveling_start_delay_expressionField for levelingStartDelayExpression

114 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

leveling_start_delay_minutesField for levelingStartDelayMinutes

mark_done(status=None)The markDone action.

Parameters status – status (type: string)

mark_not_done(assignment_id=None)The markNotDone action.

Parameters assignment_id – assignmentID (type: string)

master_task_idField for masterTaskID

milestoneReference for milestone

milestone_idField for milestoneID

move(project_id=None, parent_id=None, options=None)The move action.

Parameters

• project_id – projectID (type: string)

• parent_id – parentID (type: string)

• options – options (type: string[])

nameField for name

number_of_childrenField for numberOfChildren

number_open_op_tasksField for numberOpenOpTasks

op_tasksCollection for opTasks

open_op_tasksCollection for openOpTasks

original_durationField for originalDuration

original_work_requiredField for originalWorkRequired

parentReference for parent

parent_idField for parentID

parent_lagField for parentLag

parent_lag_typeField for parentLagType

2.2. API Reference 115

python-workfront Documentation, Release 0.8.0

percent_completeField for percentComplete

personalField for personal

planned_completion_dateField for plannedCompletionDate

planned_costField for plannedCost

planned_date_alignmentField for plannedDateAlignment

planned_durationField for plannedDuration

planned_duration_minutesField for plannedDurationMinutes

planned_expense_costField for plannedExpenseCost

planned_hours_alignmentField for plannedHoursAlignment

planned_labor_costField for plannedLaborCost

planned_revenueField for plannedRevenue

planned_start_dateField for plannedStartDate

predecessor_expressionField for predecessorExpression

predecessorsCollection for predecessors

previous_statusField for previousStatus

primary_assignmentReference for primaryAssignment

priorityField for priority

progress_statusField for progressStatus

projectReference for project

project_idField for projectID

projected_completion_dateField for projectedCompletionDate

116 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

projected_duration_minutesField for projectedDurationMinutes

projected_start_dateField for projectedStartDate

recall_approval()The recallApproval action.

recurrence_numberField for recurrenceNumber

recurrence_rule_idField for recurrenceRuleID

reference_numberField for referenceNumber

reject_approval(user_id=None, username=None, password=None, audit_note=None, au-dit_user_ids=None, send_note_as_email=None)

The rejectApproval action.

Parameters

• user_id – userID (type: string)

• username – username (type: string)

• password – password (type: string)

• audit_note – auditNote (type: string)

• audit_user_ids – auditUserIDs (type: string[])

• send_note_as_email – sendNoteAsEmail (type: boolean)

rejection_issueReference for rejectionIssue

rejection_issue_idField for rejectionIssueID

remaining_duration_minutesField for remainingDurationMinutes

reply_to_assignment(note_text=None, commit_date=None)The replyToAssignment action.

Parameters

• note_text – noteText (type: string)

• commit_date – commitDate (type: dateTime)

reserved_timeReference for reservedTime

reserved_time_idField for reservedTimeID

resolvablesCollection for resolvables

resource_scopeField for resourceScope

2.2. API Reference 117

python-workfront Documentation, Release 0.8.0

revenue_typeField for revenueType

roleReference for role

role_idField for roleID

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

slack_dateField for slackDate

spiField for spi

statusField for status

status_equates_withField for statusEquatesWith

status_updateField for statusUpdate

submitted_byReference for submittedBy

submitted_by_idField for submittedByID

successorsCollection for successors

task_constraintField for taskConstraint

task_numberField for taskNumber

task_number_predecessor_stringField for taskNumberPredecessorString

teamReference for team

team_assignmentReference for teamAssignment

team_idField for teamID

template_taskReference for templateTask

template_task_idField for templateTaskID

118 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

tracking_modeField for trackingMode

unaccept_work()The unacceptWork action.

unassign(user_id=None)The unassign action.

Parameters user_id – userID (type: string)

unassign_occurrences(user_id=None)The unassignOccurrences action.

Parameters user_id – userID (type: string)

Returns string[]

updatesCollection for updates

urlField for URL

wbsField for wbs

workField for work

work_itemReference for workItem

work_requiredField for workRequired

work_required_expressionField for workRequiredExpression

work_unitField for workUnit

class workfront.versions.v40.Team(session=None, **fields)Object for TEAMOB

backlog_tasksCollection for backlogTasks

customerReference for customer

customer_idField for customerID

descriptionField for description

estimate_by_hoursField for estimateByHours

hours_per_pointField for hoursPerPoint

is_agileField for isAgile

2.2. API Reference 119

python-workfront Documentation, Release 0.8.0

is_standard_issue_listField for isStandardIssueList

layout_templateReference for layoutTemplate

layout_template_idField for layoutTemplateID

my_work_viewReference for myWorkView

my_work_view_idField for myWorkViewID

nameField for name

op_task_bug_report_statusesField for opTaskBugReportStatuses

op_task_change_order_statusesField for opTaskChangeOrderStatuses

op_task_issue_statusesField for opTaskIssueStatuses

op_task_request_statusesField for opTaskRequestStatuses

ownerReference for owner

owner_idField for ownerID

requests_viewReference for requestsView

requests_view_idField for requestsViewID

task_statusesField for taskStatuses

team_membersCollection for teamMembers

team_story_board_statusesField for teamStoryBoardStatuses

updatesCollection for updates

usersCollection for users

class workfront.versions.v40.TeamMember(session=None, **fields)Object for TEAMMB

customerReference for customer

120 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

customer_idField for customerID

has_assign_permissionsField for hasAssignPermissions

teamReference for team

team_idField for teamID

userReference for user

user_idField for userID

class workfront.versions.v40.Template(session=None, **fields)Object for TMPL

access_rulesCollection for accessRules

approval_processReference for approvalProcess

approval_process_idField for approvalProcessID

auto_baseline_recur_onField for autoBaselineRecurOn

auto_baseline_recurrence_typeField for autoBaselineRecurrenceType

calculate_data_extension()The calculateDataExtension action.

categoryReference for category

category_idField for categoryID

completion_dayField for completionDay

completion_typeField for completionType

currencyField for currency

customerReference for customer

customer_idField for customerID

deliverable_score_cardReference for deliverableScoreCard

2.2. API Reference 121

python-workfront Documentation, Release 0.8.0

deliverable_score_card_idField for deliverableScoreCardID

deliverable_success_scoreField for deliverableSuccessScore

deliverable_valuesCollection for deliverableValues

descriptionField for description

documentsCollection for documents

duration_minutesField for durationMinutes

enable_auto_baselinesField for enableAutoBaselines

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

exchange_rateReference for exchangeRate

expensesCollection for expenses

ext_ref_idField for extRefID

filter_hour_typesField for filterHourTypes

fixed_costField for fixedCost

fixed_revenueField for fixedRevenue

groupsCollection for groups

has_documentsField for hasDocuments

has_expensesField for hasExpenses

has_notesField for hasNotes

has_timed_notificationsField for hasTimedNotifications

122 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

hour_typesCollection for hourTypes

last_noteReference for lastNote

last_note_idField for lastNoteID

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

milestone_pathReference for milestonePath

milestone_path_idField for milestonePathID

nameField for name

olvField for olv

owner_privilegesField for ownerPrivileges

performance_index_methodField for performanceIndexMethod

planned_costField for plannedCost

planned_expense_costField for plannedExpenseCost

planned_labor_costField for plannedLaborCost

planned_revenueField for plannedRevenue

planned_risk_costField for plannedRiskCost

queue_defReference for queueDef

queue_def_idField for queueDefID

reference_numberField for referenceNumber

risksCollection for risks

2.2. API Reference 123

python-workfront Documentation, Release 0.8.0

rolesCollection for roles

routing_rulesCollection for routingRules

schedule_modeField for scheduleMode

start_dayField for startDay

summary_completion_typeField for summaryCompletionType

template_tasksCollection for templateTasks

template_user_rolesCollection for templateUserRoles

template_usersCollection for templateUsers

versionField for version

work_requiredField for workRequired

class workfront.versions.v40.TemplateAssignment(session=None, **fields)Object for TASSGN

assigned_toReference for assignedTo

assigned_to_idField for assignedToID

assignment_percentField for assignmentPercent

customerReference for customer

customer_idField for customerID

is_primaryField for isPrimary

is_team_assignmentField for isTeamAssignment

master_task_idField for masterTaskID

obj_idField for objID

obj_obj_codeField for objObjCode

124 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

roleReference for role

role_idField for roleID

teamReference for team

team_idField for teamID

templateReference for template

template_idField for templateID

template_taskReference for templateTask

template_task_idField for templateTaskID

work_requiredField for workRequired

work_unitField for workUnit

class workfront.versions.v40.TemplatePredecessor(session=None, **fields)Object for TPRED

customerReference for customer

customer_idField for customerID

is_enforcedField for isEnforced

lag_daysField for lagDays

lag_typeField for lagType

predecessorReference for predecessor

predecessor_idField for predecessorID

predecessor_typeField for predecessorType

successorReference for successor

successor_idField for successorID

2.2. API Reference 125

python-workfront Documentation, Release 0.8.0

class workfront.versions.v40.TemplateTask(session=None, **fields)Object for TTSK

approval_processReference for approvalProcess

approval_process_idField for approvalProcessID

assigned_toReference for assignedTo

assigned_to_idField for assignedToID

assignmentsCollection for assignments

audit_typesField for auditTypes

billing_amountField for billingAmount

calculate_data_extension()The calculateDataExtension action.

categoryReference for category

category_idField for categoryID

childrenCollection for children

completion_dayField for completionDay

constraint_dayField for constraintDay

cost_amountField for costAmount

cost_typeField for costType

customerReference for customer

customer_idField for customerID

descriptionField for description

documentsCollection for documents

durationField for duration

126 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

duration_minutesField for durationMinutes

duration_typeField for durationType

duration_unitField for durationUnit

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

expensesCollection for expenses

ext_ref_idField for extRefID

has_documentsField for hasDocuments

has_expensesField for hasExpenses

has_notesField for hasNotes

has_timed_notificationsField for hasTimedNotifications

indentField for indent

is_criticalField for isCritical

is_duration_lockedField for isDurationLocked

is_leveling_excludedField for isLevelingExcluded

is_work_required_lockedField for isWorkRequiredLocked

last_noteReference for lastNote

last_note_idField for lastNoteID

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

2.2. API Reference 127

python-workfront Documentation, Release 0.8.0

last_updated_by_idField for lastUpdatedByID

leveling_start_delayField for levelingStartDelay

leveling_start_delay_minutesField for levelingStartDelayMinutes

master_task_idField for masterTaskID

milestoneReference for milestone

milestone_idField for milestoneID

move(template_id=None, parent_id=None, options=None)The move action.

Parameters

• template_id – templateID (type: string)

• parent_id – parentID (type: string)

• options – options (type: string[])

nameField for name

number_of_childrenField for numberOfChildren

original_durationField for originalDuration

original_work_requiredField for originalWorkRequired

parentReference for parent

parent_idField for parentID

parent_lagField for parentLag

parent_lag_typeField for parentLagType

planned_costField for plannedCost

planned_durationField for plannedDuration

planned_duration_minutesField for plannedDurationMinutes

planned_expense_costField for plannedExpenseCost

128 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

planned_labor_costField for plannedLaborCost

planned_revenueField for plannedRevenue

predecessorsCollection for predecessors

priorityField for priority

recurrence_numberField for recurrenceNumber

recurrence_rule_idField for recurrenceRuleID

reference_numberField for referenceNumber

revenue_typeField for revenueType

roleReference for role

role_idField for roleID

start_dayField for startDay

successorsCollection for successors

task_constraintField for taskConstraint

task_numberField for taskNumber

teamReference for team

team_assignmentReference for teamAssignment

team_idField for teamID

templateReference for template

template_idField for templateID

tracking_modeField for trackingMode

urlField for URL

2.2. API Reference 129

python-workfront Documentation, Release 0.8.0

workField for work

work_requiredField for workRequired

work_unitField for workUnit

class workfront.versions.v40.TemplateUser(session=None, **fields)Object for TMTU

customerReference for customer

customer_idField for customerID

templateReference for template

template_idField for templateID

tmp_user_idField for tmpUserID

userReference for user

user_idField for userID

class workfront.versions.v40.TemplateUserRole(session=None, **fields)Object for TTEAM

customerReference for customer

customer_idField for customerID

roleReference for role

role_idField for roleID

templateReference for template

template_idField for templateID

userReference for user

user_idField for userID

class workfront.versions.v40.Timesheet(session=None, **fields)Object for TSHET

130 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

approverReference for approver

approver_idField for approverID

available_actionsField for availableActions

customerReference for customer

customer_idField for customerID

display_nameField for displayName

end_dateField for endDate

ext_ref_idField for extRefID

has_notesField for hasNotes

hoursCollection for hours

hours_durationField for hoursDuration

is_editableField for isEditable

last_noteReference for lastNote

last_note_idField for lastNoteID

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

overtime_hoursField for overtimeHours

regular_hoursField for regularHours

start_dateField for startDate

statusField for status

2.2. API Reference 131

python-workfront Documentation, Release 0.8.0

timesheet_profile_idField for timesheetProfileID

total_hoursField for totalHours

userReference for user

user_idField for userID

class workfront.versions.v40.UIFilter(session=None, **fields)Object for UIFT

access_rulesCollection for accessRules

app_global_idField for appGlobalID

customerReference for customer

customer_idField for customerID

definitionField for definition

display_nameField for displayName

entered_byReference for enteredBy

entered_by_idField for enteredByID

filter_typeField for filterType

global_uikeyField for globalUIKey

is_app_global_editableField for isAppGlobalEditable

is_publicField for isPublic

is_reportField for isReport

is_saved_searchField for isSavedSearch

is_textField for isText

last_update_dateField for lastUpdateDate

132 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

linked_rolesCollection for linkedRoles

linked_teamsCollection for linkedTeams

linked_usersCollection for linkedUsers

mod_dateField for modDate

msg_keyField for msgKey

nameField for name

obj_idField for objID

obj_obj_codeField for objObjCode

preference_idField for preferenceID

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

ui_obj_codeField for uiObjCode

usersCollection for users

class workfront.versions.v40.UIGroupBy(session=None, **fields)Object for UIGB

access_rulesCollection for accessRules

app_global_idField for appGlobalID

customerReference for customer

customer_idField for customerID

definitionField for definition

2.2. API Reference 133

python-workfront Documentation, Release 0.8.0

display_nameField for displayName

entered_byReference for enteredBy

entered_by_idField for enteredByID

global_uikeyField for globalUIKey

is_app_global_editableField for isAppGlobalEditable

is_publicField for isPublic

is_reportField for isReport

is_textField for isText

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

linked_rolesCollection for linkedRoles

linked_teamsCollection for linkedTeams

linked_usersCollection for linkedUsers

mod_dateField for modDate

msg_keyField for msgKey

nameField for name

obj_idField for objID

obj_obj_codeField for objObjCode

preference_idField for preferenceID

security_root_idField for securityRootID

134 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

security_root_obj_codeField for securityRootObjCode

ui_obj_codeField for uiObjCode

class workfront.versions.v40.UIView(session=None, **fields)Object for UIVW

access_rulesCollection for accessRules

app_global_idField for appGlobalID

customerReference for customer

customer_idField for customerID

definitionField for definition

display_nameField for displayName

entered_byReference for enteredBy

entered_by_idField for enteredByID

global_uikeyField for globalUIKey

is_app_global_editableField for isAppGlobalEditable

is_defaultField for isDefault

is_new_formatField for isNewFormat

is_publicField for isPublic

is_reportField for isReport

is_textField for isText

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

2.2. API Reference 135

python-workfront Documentation, Release 0.8.0

layout_typeField for layoutType

linked_rolesCollection for linkedRoles

linked_teamsCollection for linkedTeams

linked_usersCollection for linkedUsers

mod_dateField for modDate

msg_keyField for msgKey

nameField for name

obj_idField for objID

obj_obj_codeField for objObjCode

preference_idField for preferenceID

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

ui_obj_codeField for uiObjCode

uiview_typeField for uiviewType

class workfront.versions.v40.Update(session=None, **fields)Object for UPDATE

allowed_actionsField for allowedActions

combined_updatesCollection for combinedUpdates

entered_by_idField for enteredByID

entered_by_nameField for enteredByName

entry_dateField for entryDate

icon_nameField for iconName

136 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

icon_pathField for iconPath

messageField for message

message_argsCollection for messageArgs

nested_updatesCollection for nestedUpdates

ref_nameField for refName

ref_obj_codeField for refObjCode

ref_obj_idField for refObjID

repliesCollection for replies

styled_messageField for styledMessage

sub_messageField for subMessage

sub_message_argsCollection for subMessageArgs

sub_obj_codeField for subObjCode

sub_obj_idField for subObjID

thread_idField for threadID

top_nameField for topName

top_obj_codeField for topObjCode

top_obj_idField for topObjID

update_actionsField for updateActions

update_journal_entryReference for updateJournalEntry

update_noteReference for updateNote

update_objThe object referenced by this update.

2.2. API Reference 137

python-workfront Documentation, Release 0.8.0

update_obj_codeField for updateObjCode

update_obj_idField for updateObjID

update_typeField for updateType

class workfront.versions.v40.User(session=None, **fields)Object for USER

access_level_idField for accessLevelID

addressField for address

address2Field for address2

assign_user_token()The assignUserToken action.

Returns string

avatar_dateField for avatarDate

avatar_download_urlField for avatarDownloadURL

avatar_sizeField for avatarSize

avatar_xField for avatarX

avatar_yField for avatarY

billing_per_hourField for billingPerHour

calculate_data_extension()The calculateDataExtension action.

categoryReference for category

category_idField for categoryID

cityField for city

companyReference for company

company_idField for companyID

complete_user_registration(first_name=None, last_name=None, token=None, title=None,new_password=None)

The completeUserRegistration action.

138 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

Parameters

• first_name – firstName (type: string)

• last_name – lastName (type: string)

• token – token (type: string)

• title – title (type: string)

• new_password – newPassword (type: string)

cost_per_hourField for costPerHour

countryField for country

customerReference for customer

customer_idField for customerID

default_hour_typeReference for defaultHourType

default_hour_type_idField for defaultHourTypeID

default_interfaceField for defaultInterface

direct_reportsCollection for directReports

documentsCollection for documents

email_addrField for emailAddr

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

ext_ref_idField for extRefID

favoritesCollection for favorites

first_nameField for firstName

fteField for fte

has_apiaccessField for hasAPIAccess

2.2. API Reference 139

python-workfront Documentation, Release 0.8.0

has_documentsField for hasDocuments

has_messagesField for hasMessages

has_notesField for hasNotes

has_passwordField for hasPassword

has_proof_licenseField for hasProofLicense

has_reserved_timesField for hasReservedTimes

high_priority_work_itemReference for highPriorityWorkItem

home_groupReference for homeGroup

home_group_idField for homeGroupID

home_teamReference for homeTeam

home_team_idField for homeTeamID

hour_typesCollection for hourTypes

is_activeField for isActive

is_adminField for isAdmin

is_box_authenticatedField for isBoxAuthenticated

is_drop_box_authenticatedField for isDropBoxAuthenticated

is_google_authenticatedField for isGoogleAuthenticated

is_share_point_authenticatedField for isSharePointAuthenticated

is_web_damauthenticatedField for isWebDAMAuthenticated

last_announcementField for lastAnnouncement

last_entered_noteReference for lastEnteredNote

140 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

last_entered_note_idField for lastEnteredNoteID

last_login_dateField for lastLoginDate

last_nameField for lastName

last_noteReference for lastNote

last_note_idField for lastNoteID

last_status_noteReference for lastStatusNote

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

last_whats_newField for lastWhatsNew

latest_update_noteReference for latestUpdateNote

latest_update_note_idField for latestUpdateNoteID

layout_templateReference for layoutTemplate

layout_template_idField for layoutTemplateID

license_typeField for licenseType

localeField for locale

login_countField for loginCount

managerReference for manager

manager_idField for managerID

messagesCollection for messages

mobile_phone_numberField for mobilePhoneNumber

2.2. API Reference 141

python-workfront Documentation, Release 0.8.0

my_infoField for myInfo

nameField for name

other_groupsCollection for otherGroups

passwordField for password

password_dateField for passwordDate

personaField for persona

phone_extensionField for phoneExtension

phone_numberField for phoneNumber

portal_profile_idField for portalProfileID

postal_codeField for postalCode

proof_account_passwordField for proofAccountPassword

registration_expire_dateField for registrationExpireDate

reserved_timesCollection for reservedTimes

reset_password_expire_dateField for resetPasswordExpireDate

resource_poolReference for resourcePool

resource_pool_idField for resourcePoolID

roleReference for role

role_idField for roleID

rolesCollection for roles

scheduleReference for schedule

schedule_idField for scheduleID

142 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

send_invitation_email()The sendInvitationEmail action.

sso_access_onlyField for ssoAccessOnly

sso_usernameField for ssoUsername

stateField for state

status_updateField for statusUpdate

teamsCollection for teams

time_zoneField for timeZone

timesheet_profile_idField for timesheetProfileID

titleField for title

ui_filtersCollection for uiFilters

ui_group_bysCollection for uiGroupBys

ui_viewsCollection for uiViews

updatesCollection for updates

user_activitiesCollection for userActivities

user_notesCollection for userNotes

user_pref_valuesCollection for userPrefValues

usernameField for username

web_davprofileField for webDAVProfile

work_itemsCollection for workItems

class workfront.versions.v40.UserActivity(session=None, **fields)Object for USERAC

customerReference for customer

2.2. API Reference 143

python-workfront Documentation, Release 0.8.0

customer_idField for customerID

entry_dateField for entryDate

last_update_dateField for lastUpdateDate

nameField for name

userReference for user

user_idField for userID

valueField for value

class workfront.versions.v40.UserNote(session=None, **fields)Object for USRNOT

customerReference for customer

customer_idField for customerID

document_approvalReference for documentApproval

document_approval_idField for documentApprovalID

document_request_idField for documentRequestID

document_share_idField for documentShareID

endorsement_idField for endorsementID

entry_dateField for entryDate

event_typeField for eventType

journal_entryReference for journalEntry

journal_entry_idField for journalEntryID

like_idField for likeID

noteReference for note

144 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

note_idField for noteID

userReference for user

user_idField for userID

class workfront.versions.v40.UserPrefValue(session=None, **fields)Object for USERPF

customerReference for customer

customer_idField for customerID

nameField for name

userReference for user

user_idField for userID

valueField for value

class workfront.versions.v40.Work(session=None, **fields)Object for WORK

access_rulesCollection for accessRules

actual_completion_dateField for actualCompletionDate

actual_costField for actualCost

actual_durationField for actualDuration

actual_duration_minutesField for actualDurationMinutes

actual_expense_costField for actualExpenseCost

actual_labor_costField for actualLaborCost

actual_revenueField for actualRevenue

actual_start_dateField for actualStartDate

actual_workField for actualWork

2.2. API Reference 145

python-workfront Documentation, Release 0.8.0

actual_work_requiredField for actualWorkRequired

actual_work_required_expressionField for actualWorkRequiredExpression

age_range_as_stringField for ageRangeAsString

all_prioritiesCollection for allPriorities

all_severitiesCollection for allSeverities

all_statusesCollection for allStatuses

approval_est_start_dateField for approvalEstStartDate

approval_planned_start_dateField for approvalPlannedStartDate

approval_planned_start_dayField for approvalPlannedStartDay

approval_processReference for approvalProcess

approval_process_idField for approvalProcessID

approval_projected_start_dateField for approvalProjectedStartDate

approver_statusesCollection for approverStatuses

approvers_stringField for approversString

assigned_toReference for assignedTo

assigned_to_idField for assignedToID

assignmentsCollection for assignments

assignments_list_stringField for assignmentsListString

audit_noteField for auditNote

audit_typesField for auditTypes

audit_user_idsField for auditUserIDs

146 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

auto_closure_dateField for autoClosureDate

backlog_orderField for backlogOrder

billing_amountField for billingAmount

billing_recordReference for billingRecord

billing_record_idField for billingRecordID

can_startField for canStart

categoryReference for category

category_idField for categoryID

childrenCollection for children

colorField for color

commit_dateField for commitDate

commit_date_rangeField for commitDateRange

completion_pending_dateField for completionPendingDate

conditionField for condition

constraint_dateField for constraintDate

converted_op_task_entry_dateField for convertedOpTaskEntryDate

converted_op_task_nameField for convertedOpTaskName

converted_op_task_originatorReference for convertedOpTaskOriginator

converted_op_task_originator_idField for convertedOpTaskOriginatorID

cost_amountField for costAmount

cost_typeField for costType

2.2. API Reference 147

python-workfront Documentation, Release 0.8.0

cpiField for cpi

csiField for csi

current_approval_stepReference for currentApprovalStep

current_approval_step_idField for currentApprovalStepID

current_status_durationField for currentStatusDuration

customerReference for customer

customer_idField for customerID

days_lateField for daysLate

default_baseline_taskReference for defaultBaselineTask

descriptionField for description

documentsCollection for documents

done_statusesCollection for doneStatuses

due_dateField for dueDate

durationField for duration

duration_expressionField for durationExpression

duration_minutesField for durationMinutes

duration_typeField for durationType

duration_unitField for durationUnit

eacField for eac

entered_byReference for enteredBy

entered_by_idField for enteredByID

148 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

entry_dateField for entryDate

est_completion_dateField for estCompletionDate

est_start_dateField for estStartDate

estimateField for estimate

expensesCollection for expenses

ext_ref_idField for extRefID

first_responseField for firstResponse

groupReference for group

group_idField for groupID

handoff_dateField for handoffDate

has_completion_constraintField for hasCompletionConstraint

has_documentsField for hasDocuments

has_expensesField for hasExpenses

has_messagesField for hasMessages

has_notesField for hasNotes

has_resolvablesField for hasResolvables

has_start_constraintField for hasStartConstraint

has_timed_notificationsField for hasTimedNotifications

hoursCollection for hours

hours_per_pointField for hoursPerPoint

how_oldField for howOld

2.2. API Reference 149

python-workfront Documentation, Release 0.8.0

indentField for indent

is_agileField for isAgile

is_completeField for isComplete

is_criticalField for isCritical

is_duration_lockedField for isDurationLocked

is_help_deskField for isHelpDesk

is_leveling_excludedField for isLevelingExcluded

is_readyField for isReady

is_work_required_lockedField for isWorkRequiredLocked

iterationReference for iteration

iteration_idField for iterationID

last_condition_noteReference for lastConditionNote

last_condition_note_idField for lastConditionNoteID

last_noteReference for lastNote

last_note_idField for lastNoteID

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

leveling_start_delayField for levelingStartDelay

leveling_start_delay_expressionField for levelingStartDelayExpression

leveling_start_delay_minutesField for levelingStartDelayMinutes

150 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

master_task_idField for masterTaskID

milestoneReference for milestone

milestone_idField for milestoneID

nameField for name

number_of_childrenField for numberOfChildren

number_open_op_tasksField for numberOpenOpTasks

op_task_typeField for opTaskType

op_task_type_labelField for opTaskTypeLabel

op_tasksCollection for opTasks

open_op_tasksCollection for openOpTasks

original_durationField for originalDuration

original_work_requiredField for originalWorkRequired

ownerReference for owner

owner_idField for ownerID

parentReference for parent

parent_idField for parentID

parent_lagField for parentLag

parent_lag_typeField for parentLagType

percent_completeField for percentComplete

personalField for personal

planned_completion_dateField for plannedCompletionDate

2.2. API Reference 151

python-workfront Documentation, Release 0.8.0

planned_costField for plannedCost

planned_date_alignmentField for plannedDateAlignment

planned_durationField for plannedDuration

planned_duration_minutesField for plannedDurationMinutes

planned_expense_costField for plannedExpenseCost

planned_hours_alignmentField for plannedHoursAlignment

planned_labor_costField for plannedLaborCost

planned_revenueField for plannedRevenue

planned_start_dateField for plannedStartDate

predecessor_expressionField for predecessorExpression

predecessorsCollection for predecessors

previous_statusField for previousStatus

primary_assignmentReference for primaryAssignment

priorityField for priority

progress_statusField for progressStatus

projectReference for project

project_idField for projectID

projected_completion_dateField for projectedCompletionDate

projected_duration_minutesField for projectedDurationMinutes

projected_start_dateField for projectedStartDate

queue_topicReference for queueTopic

152 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

queue_topic_idField for queueTopicID

recurrence_numberField for recurrenceNumber

recurrence_rule_idField for recurrenceRuleID

reference_numberField for referenceNumber

reference_obj_codeField for referenceObjCode

reference_obj_idField for referenceObjID

rejection_issueReference for rejectionIssue

rejection_issue_idField for rejectionIssueID

remaining_duration_minutesField for remainingDurationMinutes

reserved_timeReference for reservedTime

reserved_time_idField for reservedTimeID

resolution_timeField for resolutionTime

resolvablesCollection for resolvables

resolve_op_taskReference for resolveOpTask

resolve_op_task_idField for resolveOpTaskID

resolve_projectReference for resolveProject

resolve_project_idField for resolveProjectID

resolve_taskReference for resolveTask

resolve_task_idField for resolveTaskID

resolving_obj_codeField for resolvingObjCode

resolving_obj_idField for resolvingObjID

2.2. API Reference 153

python-workfront Documentation, Release 0.8.0

resource_scopeField for resourceScope

revenue_typeField for revenueType

roleReference for role

role_idField for roleID

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

severityField for severity

slack_dateField for slackDate

source_obj_codeField for sourceObjCode

source_obj_idField for sourceObjID

source_taskReference for sourceTask

source_task_idField for sourceTaskID

spiField for spi

statusField for status

status_equates_withField for statusEquatesWith

status_updateField for statusUpdate

submitted_byReference for submittedBy

submitted_by_idField for submittedByID

successorsCollection for successors

task_constraintField for taskConstraint

task_numberField for taskNumber

154 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

task_number_predecessor_stringField for taskNumberPredecessorString

teamReference for team

team_assignmentReference for teamAssignment

team_idField for teamID

team_requests_count()The teamRequestsCount action.

Returns map

template_taskReference for templateTask

template_task_idField for templateTaskID

tracking_modeField for trackingMode

updatesCollection for updates

urlField for URL

url_Field for url

wbsField for wbs

workField for work

work_itemReference for workItem

work_requiredField for workRequired

work_required_expressionField for workRequiredExpression

work_unitField for workUnit

class workfront.versions.v40.WorkItem(session=None, **fields)Object for WRKITM

assignmentReference for assignment

assignment_idField for assignmentID

customerReference for customer

2.2. API Reference 155

python-workfront Documentation, Release 0.8.0

customer_idField for customerID

done_dateField for doneDate

ext_ref_idField for extRefID

is_deadField for isDead

is_doneField for isDone

last_viewed_dateField for lastViewedDate

mark_viewed()The markViewed action.

obj_idField for objID

obj_obj_codeField for objObjCode

op_taskReference for opTask

op_task_idField for opTaskID

priorityField for priority

projectReference for project

project_idField for projectID

reference_object_commit_dateField for referenceObjectCommitDate

reference_object_nameField for referenceObjectName

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

snooze_dateField for snoozeDate

taskReference for task

task_idField for taskID

156 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

userReference for user

user_idField for userID

“unsupported” API Reference

class workfront.versions.unsupported.AccessLevel(session=None, **fields)Object for ACSLVL

access_level_permissionsCollection for accessLevelPermissions

access_restrictionsField for accessRestrictions

access_rule_preferencesCollection for accessRulePreferences

access_scope_actionsCollection for accessScopeActions

app_globalReference for appGlobal

app_global_idField for appGlobalID

calculate_sharing(obj_code=None, obj_id=None)The calculateSharing action.

Parameters

• obj_code – objCode (type: string)

• obj_id – objID (type: string)

clear_access_rule_preferences(obj_code=None)The clearAccessRulePreferences action.

Parameters obj_code – objCode (type: string)

create_unsupported_worker_access_level_for_testing()The createUnsupportedWorkerAccessLevelForTesting action.

customerReference for customer

customer_idField for customerID

descriptionField for description

description_keyField for descriptionKey

display_access_typeField for displayAccessType

ext_ref_idField for extRefID

2.2. API Reference 157

python-workfront Documentation, Release 0.8.0

field_access_privilegesField for fieldAccessPrivileges

filter_actions_for_external(obj_code=None, action_types=None)The filterActionsForExternal action.

Parameters

• obj_code – objCode (type: string)

• action_types – actionTypes (type: string[])

Returns string[]

filter_available_actions(user_id=None, obj_code=None, action_types=None)The filterAvailableActions action.

Parameters

• user_id – userID (type: string)

• obj_code – objCode (type: string)

• action_types – actionTypes (type: string[])

Returns string[]

get_access_level_permissions_for_obj_code(obj_code=None, access_level_ids=None)The getAccessLevelPermissionsForObjCode action.

Parameters

• obj_code – objCode (type: string)

• access_level_ids – accessLevelIDs (type: string[])

Returns map

get_default_access_permissions(license_type=None)The getDefaultAccessPermissions action.

Parameters license_type – licenseType (type: com.attask.common.constants.LicenseTypeEnum)

Returns map

get_default_access_rule_preferences()The getDefaultAccessRulePreferences action.

Returns map

get_default_forbidden_actions(obj_code=None, obj_id=None)The getDefaultForbiddenActions action.

Parameters

• obj_code – objCode (type: string)

• obj_id – objID (type: string)

Returns map

get_maximum_access_permissions(license_type=None)The getMaximumAccessPermissions action.

Parameters license_type – licenseType (type: com.attask.common.constants.LicenseTypeEnum)

Returns map

158 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

get_security_parent_ids(obj_code=None, obj_id=None)The getSecurityParentIDs action.

Parameters

• obj_code – objCode (type: string)

• obj_id – objID (type: string)

Returns map

get_security_parent_obj_code(obj_code=None, obj_id=None)The getSecurityParentObjCode action.

Parameters

• obj_code – objCode (type: string)

• obj_id – objID (type: string)

Returns string

get_user_accessor_ids(user_id=None)The getUserAccessorIDs action.

Parameters user_id – userID (type: string)

Returns string[]

get_viewable_object_obj_codes()The getViewableObjectObjCodes action.

Returns string[]

has_any_access(obj_code=None, action_type=None)The hasAnyAccess action.

Parameters

• obj_code – objCode (type: string)

• action_type – actionType (type: com.attask.common.constants.ActionTypeEnum)

Returns java.lang.Boolean

has_reference(ids=None)The hasReference action.

Parameters ids – ids (type: string[])

Returns java.lang.Boolean

is_adminField for isAdmin

is_unsupported_worker_licenseField for isUnsupportedWorkerLicense

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

last_updated_dateField for lastUpdatedDate

2.2. API Reference 159

python-workfront Documentation, Release 0.8.0

legacy_access_level_idField for legacyAccessLevelID

legacy_diagnostics()The legacyDiagnostics action.

Returns map

license_typeField for licenseType

nameField for name

name_keyField for nameKey

obj_idField for objID

obj_obj_codeField for objObjCode

rankField for rank

security_model_typeField for securityModelType

set_access_rule_preferences(access_rule_preferences=None)The setAccessRulePreferences action.

Parameters access_rule_preferences – accessRulePreferences (type: string[])

class workfront.versions.unsupported.AccessLevelPermissions(session=None,**fields)

Object for ALVPER

access_levelReference for accessLevel

access_level_idField for accessLevelID

core_actionField for coreAction

customerReference for customer

customer_idField for customerID

forbidden_actionsField for forbiddenActions

is_adminField for isAdmin

obj_obj_codeField for objObjCode

secondary_actionsField for secondaryActions

160 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

class workfront.versions.unsupported.AccessRequest(session=None, **fields)Object for ACSREQ

actionField for action

auto_generatedField for autoGenerated

auto_share_actionField for autoShareAction

awaiting_approvalsCollection for awaitingApprovals

customerReference for customer

customer_idField for customerID

grant_access(access_request_id=None, action_type=None, forbidden_actions=None)The grantAccess action.

Parameters

• access_request_id – accessRequestID (type: string)

• action_type – actionType (type: string)

• forbidden_actions – forbiddenActions (type: string[])

grant_object_access(obj_code=None, id=None, accessor_id=None, action_type=None, forbid-den_actions=None)

The grantObjectAccess action.

Parameters

• obj_code – objCode (type: string)

• id – id (type: string)

• accessor_id – accessorID (type: string)

• action_type – actionType (type: string)

• forbidden_actions – forbiddenActions (type: string[])

granterReference for granter

granter_idField for granterID

ignore(access_request_id=None)The ignore action.

Parameters access_request_id – accessRequestID (type: string)

last_remind_dateField for lastRemindDate

last_update_dateField for lastUpdateDate

messageField for message

2.2. API Reference 161

python-workfront Documentation, Release 0.8.0

recall(access_request_id=None)The recall action.

Parameters access_request_id – accessRequestID (type: string)

remind(access_request_id=None)The remind action.

Parameters access_request_id – accessRequestID (type: string)

request_access(obj_code=None, obj_id=None, requestee_id=None, core_action=None, mes-sage=None)

The requestAccess action.

Parameters

• obj_code – objCode (type: string)

• obj_id – objID (type: string)

• requestee_id – requesteeID (type: string)

• core_action – coreAction (type: com.attask.common.constants.ActionTypeEnum)

• message – message (type: string)

request_dateField for requestDate

requested_obj_codeField for requestedObjCode

requested_obj_idField for requestedObjID

requested_object_nameField for requestedObjectName

requestorReference for requestor

requestor_idField for requestorID

statusField for status

class workfront.versions.unsupported.AccessRule(session=None, **fields)Object for ACSRUL

accessor_idField for accessorID

accessor_obj_codeField for accessorObjCode

ancestor_idField for ancestorID

ancestor_obj_codeField for ancestorObjCode

core_actionField for coreAction

162 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

customerReference for customer

customer_idField for customerID

forbidden_actionsField for forbiddenActions

is_inheritedField for isInherited

secondary_actionsField for secondaryActions

security_obj_codeField for securityObjCode

security_obj_idField for securityObjID

class workfront.versions.unsupported.AccessRulePreference(session=None, **fields)Object for ARPREF

access_levelReference for accessLevel

access_level_idField for accessLevelID

accessor_idField for accessorID

accessor_obj_codeField for accessorObjCode

core_actionField for coreAction

customerReference for customer

customer_idField for customerID

forbidden_actionsField for forbiddenActions

secondary_actionsField for secondaryActions

security_obj_codeField for securityObjCode

templateReference for template

template_idField for templateID

userReference for user

2.2. API Reference 163

python-workfront Documentation, Release 0.8.0

user_idField for userID

class workfront.versions.unsupported.AccessScope(session=None, **fields)Object for ACSCP

allow_non_view_externalField for allowNonViewExternal

allow_non_view_hdField for allowNonViewHD

allow_non_view_reviewField for allowNonViewReview

allow_non_view_teamField for allowNonViewTeam

allow_non_view_tsField for allowNonViewTS

app_globalReference for appGlobal

app_global_idField for appGlobalID

customerReference for customer

customer_idField for customerID

descriptionField for description

description_keyField for descriptionKey

display_orderField for displayOrder

nameField for name

name_keyField for nameKey

obj_idField for objID

obj_obj_codeField for objObjCode

scope_expressionField for scopeExpression

scope_obj_codeField for scopeObjCode

class workfront.versions.unsupported.AccessScopeAction(session=None, **fields)Object for ASCPAT

164 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

access_levelReference for accessLevel

access_level_idField for accessLevelID

access_scopeReference for accessScope

access_scope_idField for accessScopeID

actionsField for actions

customerReference for customer

customer_idField for customerID

scope_obj_codeField for scopeObjCode

class workfront.versions.unsupported.AccessToken(session=None, **fields)Object for ACSTOK

actionField for action

calendarReference for calendar

calendar_idField for calendarID

customerReference for customer

customer_idField for customerID

documentReference for document

document_idField for documentID

document_requestReference for documentRequest

document_request_idField for documentRequestID

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

2.2. API Reference 165

python-workfront Documentation, Release 0.8.0

expire_dateField for expireDate

ref_obj_codeField for refObjCode

ref_obj_idField for refObjID

token_typeField for tokenType

userReference for user

user_idField for userID

valueField for value

class workfront.versions.unsupported.AccountRep(session=None, **fields)Object for ACNTRP

admin_levelField for adminLevel

descriptionField for description

email_addrField for emailAddr

ext_ref_idField for extRefID

first_nameField for firstName

is_activeField for isActive

last_nameField for lastName

passwordField for password

phone_numberField for phoneNumber

resellerReference for reseller

reseller_idField for resellerID

ui_codeField for uiCode

usernameField for username

166 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

class workfront.versions.unsupported.Acknowledgement(session=None, **fields)Object for ACK

acknowledge(obj_code=None, obj_id=None)The acknowledge action.

Parameters

• obj_code – objCode (type: string)

• obj_id – objID (type: string)

Returns string

acknowledge_many(obj_code_ids=None)The acknowledgeMany action.

Parameters obj_code_ids – objCodeIDs (type: map)

Returns string[]

acknowledgement_typeField for acknowledgementType

customerReference for customer

customer_idField for customerID

entry_dateField for entryDate

ownerReference for owner

owner_idField for ownerID

reference_object_nameField for referenceObjectName

targetReference for target

target_idField for targetID

unacknowledge(obj_code=None, obj_id=None)The unacknowledge action.

Parameters

• obj_code – objCode (type: string)

• obj_id – objID (type: string)

class workfront.versions.unsupported.Announcement(session=None, **fields)Object for ANCMNT

actual_subjectField for actualSubject

announcement_recipientsCollection for announcementRecipients

2.2. API Reference 167

python-workfront Documentation, Release 0.8.0

announcement_typeField for announcementType

attachmentsCollection for attachments

contentField for content

customer_recipientsField for customerRecipients

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

file_handle(attachment_id=None)The fileHandle action.

Parameters attachment_id – attachmentID (type: string)

Returns string

formatted_recipientsField for formattedRecipients

has_attachmentsField for hasAttachments

is_draftField for isDraft

last_sent_dateField for lastSentDate

other_recipient_namesField for otherRecipientNames

preview_user_idField for previewUserID

recipient_typesField for recipientTypes

send_draftField for sendDraft

subjectField for subject

summaryField for summary

typeField for type

zip_announcement_attachments(announcement_id=None)The zipAnnouncementAttachments action.

Parameters announcement_id – announcementID (type: string)

168 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

Returns string

class workfront.versions.unsupported.AnnouncementAttachment(session=None,**fields)

Object for ANMATT

announcementReference for announcement

announcement_idField for announcementID

doc_sizeField for docSize

file_extensionField for fileExtension

format_doc_sizeField for formatDocSize

forward_attachments(announcement_id=None, old_attachment_ids=None,new_attachments=None)

The forwardAttachments action.

Parameters

• announcement_id – announcementID (type: string)

• old_attachment_ids – oldAttachmentIDs (type: string[])

• new_attachments – newAttachments (type: map)

nameField for name

upload_attachments(announcement_id=None, attachments=None)The uploadAttachments action.

Parameters

• announcement_id – announcementID (type: string)

• attachments – attachments (type: map)

class workfront.versions.unsupported.AnnouncementOptOut(session=None, **fields)Object for AMNTO

announcement_opt_out(announcement_opt_out_types=None)The announcementOptOut action.

Parameters announcement_opt_out_types – announcementOptOutTypes (type:string[])

announcement_typeField for announcementType

customerReference for customer

customer_idField for customerID

customer_nameField for customerName

2.2. API Reference 169

python-workfront Documentation, Release 0.8.0

opt_out_dateField for optOutDate

typeField for type

userReference for user

user_first_nameField for userFirstName

user_idField for userID

user_last_nameField for userLastName

class workfront.versions.unsupported.AnnouncementRecipient(session=None, **fields)Object for ANCREC

announcementReference for announcement

announcement_idField for announcementID

companyReference for company

company_idField for companyID

customerReference for customer

customer_idField for customerID

groupReference for group

group_idField for groupID

recipient_idField for recipientID

recipient_obj_codeField for recipientObjCode

roleReference for role

role_idField for roleID

teamReference for team

team_idField for teamID

170 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

userReference for user

user_idField for userID

class workfront.versions.unsupported.AppBuild(session=None, **fields)Object for APPBLD

build_idField for buildID

build_numberField for buildNumber

entry_dateField for entryDate

class workfront.versions.unsupported.AppEvent(session=None, **fields)Object for APEVT

app_globalReference for appGlobal

app_global_idField for appGlobalID

customerReference for customer

customer_idField for customerID

descriptionField for description

description_keyField for descriptionKey

event_obj_codeField for eventObjCode

event_typeField for eventType

nameField for name

name_keyField for nameKey

obj_idField for objID

obj_obj_codeField for objObjCode

query_expressionField for queryExpression

script_expressionField for scriptExpression

2.2. API Reference 171

python-workfront Documentation, Release 0.8.0

class workfront.versions.unsupported.AppGlobal(session=None, **fields)Object for APGLOB

access_levelsCollection for accessLevels

access_scopesCollection for accessScopes

app_eventsCollection for appEvents

expense_typesCollection for expenseTypes

external_sectionsCollection for externalSections

features_mappingCollection for featuresMapping

hour_typesCollection for hourTypes

layout_templatesCollection for layoutTemplates

meta_recordsCollection for metaRecords

portal_profilesCollection for portalProfiles

portal_sectionsCollection for portalSections

ui_filtersCollection for uiFilters

ui_group_bysCollection for uiGroupBys

ui_viewsCollection for uiViews

class workfront.versions.unsupported.AppInfo(session=None, **fields)Object for APPINF

attask_versionField for attaskVersion

build_numberField for buildNumber

has_upgrade_errorField for hasUpgradeError

last_updateField for lastUpdate

upgrade_buildField for upgradeBuild

172 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

upgrade_stepField for upgradeStep

class workfront.versions.unsupported.Approval(session=None, **fields)Object for APPROVAL

access_rulesCollection for accessRules

accessor_idsField for accessorIDs

actual_benefitField for actualBenefit

actual_completion_dateField for actualCompletionDate

actual_costField for actualCost

actual_durationField for actualDuration

actual_duration_expressionField for actualDurationExpression

actual_duration_minutesField for actualDurationMinutes

actual_expense_costField for actualExpenseCost

actual_hours_last_monthField for actualHoursLastMonth

actual_hours_last_three_monthsField for actualHoursLastThreeMonths

actual_hours_this_monthField for actualHoursThisMonth

actual_hours_two_months_agoField for actualHoursTwoMonthsAgo

actual_labor_costField for actualLaborCost

actual_revenueField for actualRevenue

actual_risk_costField for actualRiskCost

actual_start_dateField for actualStartDate

actual_valueField for actualValue

actual_workField for actualWork

2.2. API Reference 173

python-workfront Documentation, Release 0.8.0

actual_work_requiredField for actualWorkRequired

actual_work_required_expressionField for actualWorkRequiredExpression

age_range_as_stringField for ageRangeAsString

alignmentField for alignment

alignment_score_cardReference for alignmentScoreCard

alignment_score_card_idField for alignmentScoreCardID

alignment_valuesCollection for alignmentValues

all_approved_hoursField for allApprovedHours

all_hoursCollection for allHours

all_prioritiesCollection for allPriorities

all_severitiesCollection for allSeverities

all_statusesCollection for allStatuses

all_unapproved_hoursField for allUnapprovedHours

approval_est_start_dateField for approvalEstStartDate

approval_planned_start_dateField for approvalPlannedStartDate

approval_planned_start_dayField for approvalPlannedStartDay

approval_processReference for approvalProcess

approval_process_idField for approvalProcessID

approval_projected_start_dateField for approvalProjectedStartDate

approver_statusesCollection for approverStatuses

approvers_stringField for approversString

174 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

assigned_toReference for assignedTo

assigned_to_idField for assignedToID

assignmentsCollection for assignments

assignments_list_stringField for assignmentsListString

audit_noteField for auditNote

audit_typesField for auditTypes

audit_user_idsField for auditUserIDs

auto_baseline_recur_onField for autoBaselineRecurOn

auto_baseline_recurrence_typeField for autoBaselineRecurrenceType

auto_closure_dateField for autoClosureDate

awaiting_approvalsCollection for awaitingApprovals

backlog_orderField for backlogOrder

baselinesCollection for baselines

bccompletion_stateField for BCCompletionState

billed_revenueField for billedRevenue

billing_amountField for billingAmount

billing_recordReference for billingRecord

billing_record_idField for billingRecordID

billing_recordsCollection for billingRecords

budgetField for budget

budget_statusField for budgetStatus

2.2. API Reference 175

python-workfront Documentation, Release 0.8.0

budgeted_completion_dateField for budgetedCompletionDate

budgeted_costField for budgetedCost

budgeted_hoursField for budgetedHours

budgeted_labor_costField for budgetedLaborCost

budgeted_start_dateField for budgetedStartDate

business_case_status_labelField for businessCaseStatusLabel

can_startField for canStart

categoryReference for category

category_idField for categoryID

childrenCollection for children

colorField for color

commit_dateField for commitDate

commit_date_rangeField for commitDateRange

companyReference for company

company_idField for companyID

completion_pending_dateField for completionPendingDate

completion_typeField for completionType

conditionField for condition

condition_typeField for conditionType

constraint_dateField for constraintDate

converted_op_task_entry_dateField for convertedOpTaskEntryDate

176 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

converted_op_task_nameField for convertedOpTaskName

converted_op_task_originatorReference for convertedOpTaskOriginator

converted_op_task_originator_idField for convertedOpTaskOriginatorID

cost_amountField for costAmount

cost_typeField for costType

cpiField for cpi

csiField for csi

currencyField for currency

current_approval_stepReference for currentApprovalStep

current_approval_step_idField for currentApprovalStepID

current_status_durationField for currentStatusDuration

customerReference for customer

customer_idField for customerID

days_lateField for daysLate

default_baselineReference for defaultBaseline

default_baseline_taskReference for defaultBaselineTask

default_forbidden_contribute_actionsField for defaultForbiddenContributeActions

default_forbidden_manage_actionsField for defaultForbiddenManageActions

default_forbidden_view_actionsField for defaultForbiddenViewActions

deliverable_score_cardReference for deliverableScoreCard

deliverable_score_card_idField for deliverableScoreCardID

2.2. API Reference 177

python-workfront Documentation, Release 0.8.0

deliverable_success_scoreField for deliverableSuccessScore

deliverable_success_score_ratioField for deliverableSuccessScoreRatio

deliverable_valuesCollection for deliverableValues

descriptionField for description

display_orderField for displayOrder

display_queue_breadcrumbField for displayQueueBreadcrumb

document_requestsCollection for documentRequests

documentsCollection for documents

done_statusesCollection for doneStatuses

due_dateField for dueDate

durationField for duration

duration_expressionField for durationExpression

duration_minutesField for durationMinutes

duration_typeField for durationType

duration_unitField for durationUnit

eacField for eac

eac_calculation_methodField for eacCalculationMethod

enable_auto_baselinesField for enableAutoBaselines

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

178 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

est_completion_dateField for estCompletionDate

est_start_dateField for estStartDate

estimateField for estimate

exchange_rateReference for exchangeRate

exchange_ratesCollection for exchangeRates

expensesCollection for expenses

ext_ref_idField for extRefID

filter_hour_typesField for filterHourTypes

finance_last_update_dateField for financeLastUpdateDate

first_responseField for firstResponse

fixed_costField for fixedCost

fixed_end_dateField for fixedEndDate

fixed_revenueField for fixedRevenue

fixed_start_dateField for fixedStartDate

groupReference for group

group_idField for groupID

handoff_dateField for handoffDate

has_budget_conflictField for hasBudgetConflict

has_calc_errorField for hasCalcError

has_completion_constraintField for hasCompletionConstraint

has_documentsField for hasDocuments

2.2. API Reference 179

python-workfront Documentation, Release 0.8.0

has_expensesField for hasExpenses

has_messagesField for hasMessages

has_notesField for hasNotes

has_rate_overrideField for hasRateOverride

has_resolvablesField for hasResolvables

has_start_constraintField for hasStartConstraint

has_timed_notificationsField for hasTimedNotifications

has_timeline_exceptionField for hasTimelineException

hour_typesCollection for hourTypes

hoursCollection for hours

hours_per_pointField for hoursPerPoint

how_oldField for howOld

indentField for indent

is_agileField for isAgile

is_completeField for isComplete

is_criticalField for isCritical

is_duration_lockedField for isDurationLocked

is_help_deskField for isHelpDesk

is_in_my_approvals(object_type=None, object_id=None)The isInMyApprovals action.

Parameters

• object_type – objectType (type: string)

• object_id – objectID (type: string)

Returns java.lang.Boolean

180 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

is_in_my_submitted_approvals(object_type=None, object_id=None)The isInMySubmittedApprovals action.

Parameters

• object_type – objectType (type: string)

• object_id – objectID (type: string)

Returns java.lang.Boolean

is_leveling_excludedField for isLevelingExcluded

is_project_deadField for isProjectDead

is_readyField for isReady

is_status_completeField for isStatusComplete

is_work_required_lockedField for isWorkRequiredLocked

iterationReference for iteration

iteration_idField for iterationID

last_calc_dateField for lastCalcDate

last_condition_noteReference for lastConditionNote

last_condition_note_idField for lastConditionNoteID

last_noteReference for lastNote

last_note_idField for lastNoteID

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

leveling_modeField for levelingMode

leveling_start_delayField for levelingStartDelay

leveling_start_delay_expressionField for levelingStartDelayExpression

2.2. API Reference 181

python-workfront Documentation, Release 0.8.0

leveling_start_delay_minutesField for levelingStartDelayMinutes

lucid_migration_dateField for lucidMigrationDate

master_taskReference for masterTask

master_task_idField for masterTaskID

milestoneReference for milestone

milestone_idField for milestoneID

milestone_pathReference for milestonePath

milestone_path_idField for milestonePathID

nameField for name

next_auto_baseline_dateField for nextAutoBaselineDate

notification_recordsCollection for notificationRecords

number_of_childrenField for numberOfChildren

number_open_op_tasksField for numberOpenOpTasks

object_categoriesCollection for objectCategories

olvField for olv

op_task_typeField for opTaskType

op_task_type_labelField for opTaskTypeLabel

op_tasksCollection for opTasks

open_op_tasksCollection for openOpTasks

optimization_scoreField for optimizationScore

original_durationField for originalDuration

182 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

original_work_requiredField for originalWorkRequired

ownerReference for owner

owner_idField for ownerID

owner_privilegesField for ownerPrivileges

parameter_valuesCollection for parameterValues

parentReference for parent

parent_idField for parentID

parent_lagField for parentLag

parent_lag_typeField for parentLagType

pending_calculationField for pendingCalculation

pending_predecessorsField for pendingPredecessors

pending_update_methodsField for pendingUpdateMethods

percent_completeField for percentComplete

performance_index_methodField for performanceIndexMethod

personalField for personal

planned_benefitField for plannedBenefit

planned_completion_dateField for plannedCompletionDate

planned_costField for plannedCost

planned_date_alignmentField for plannedDateAlignment

planned_durationField for plannedDuration

planned_duration_minutesField for plannedDurationMinutes

2.2. API Reference 183

python-workfront Documentation, Release 0.8.0

planned_expense_costField for plannedExpenseCost

planned_hours_alignmentField for plannedHoursAlignment

planned_labor_costField for plannedLaborCost

planned_revenueField for plannedRevenue

planned_risk_costField for plannedRiskCost

planned_start_dateField for plannedStartDate

planned_valueField for plannedValue

pop_accountReference for popAccount

pop_account_idField for popAccountID

portfolioReference for portfolio

portfolio_idField for portfolioID

portfolio_priorityField for portfolioPriority

predecessor_expressionField for predecessorExpression

predecessorsCollection for predecessors

previous_statusField for previousStatus

primary_assignmentReference for primaryAssignment

priorityField for priority

programReference for program

program_idField for programID

progress_statusField for progressStatus

projectReference for project

184 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

project_idField for projectID

project_user_rolesCollection for projectUserRoles

project_usersCollection for projectUsers

projected_completion_dateField for projectedCompletionDate

projected_duration_minutesField for projectedDurationMinutes

projected_start_dateField for projectedStartDate

queue_defReference for queueDef

queue_def_idField for queueDefID

queue_topicReference for queueTopic

queue_topic_breadcrumbField for queueTopicBreadcrumb

queue_topic_idField for queueTopicID

ratesCollection for rates

recurrence_numberField for recurrenceNumber

recurrence_ruleReference for recurrenceRule

recurrence_rule_idField for recurrenceRuleID

reference_numberField for referenceNumber

reference_obj_codeField for referenceObjCode

reference_obj_idField for referenceObjID

rejection_issueReference for rejectionIssue

rejection_issue_idField for rejectionIssueID

remaining_costField for remainingCost

2.2. API Reference 185

python-workfront Documentation, Release 0.8.0

remaining_duration_minutesField for remainingDurationMinutes

remaining_revenueField for remainingRevenue

remaining_risk_costField for remainingRiskCost

reserved_timeReference for reservedTime

reserved_time_idField for reservedTimeID

resolution_timeField for resolutionTime

resolvablesCollection for resolvables

resolve_op_taskReference for resolveOpTask

resolve_op_task_idField for resolveOpTaskID

resolve_projectReference for resolveProject

resolve_project_idField for resolveProjectID

resolve_taskReference for resolveTask

resolve_task_idField for resolveTaskID

resolving_obj_codeField for resolvingObjCode

resolving_obj_idField for resolvingObjID

resource_allocationsCollection for resourceAllocations

resource_poolReference for resourcePool

resource_pool_idField for resourcePoolID

resource_scopeField for resourceScope

revenue_typeField for revenueType

riskField for risk

186 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

risk_performance_indexField for riskPerformanceIndex

risksCollection for risks

roiField for roi

roleReference for role

role_idField for roleID

rolesCollection for roles

routing_rulesCollection for routingRules

scheduleReference for schedule

schedule_idField for scheduleID

schedule_modeField for scheduleMode

security_ancestorsCollection for securityAncestors

security_ancestors_disabledField for securityAncestorsDisabled

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

selected_on_portfolio_optimizerField for selectedOnPortfolioOptimizer

severityField for severity

sharing_settingsReference for sharingSettings

show_commit_dateField for showCommitDate

show_conditionField for showCondition

show_statusField for showStatus

slack_dateField for slackDate

2.2. API Reference 187

python-workfront Documentation, Release 0.8.0

source_obj_codeField for sourceObjCode

source_obj_idField for sourceObjID

source_taskReference for sourceTask

source_task_idField for sourceTaskID

spiField for spi

sponsorReference for sponsor

sponsor_idField for sponsorID

statusField for status

status_equates_withField for statusEquatesWith

status_updateField for statusUpdate

submitted_byReference for submittedBy

submitted_by_idField for submittedByID

successorsCollection for successors

summary_completion_typeField for summaryCompletionType

task_constraintField for taskConstraint

task_numberField for taskNumber

task_number_predecessor_stringField for taskNumberPredecessorString

tasksCollection for tasks

teamReference for team

team_assignmentReference for teamAssignment

team_idField for teamID

188 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

templateReference for template

template_idField for templateID

template_taskReference for templateTask

template_task_idField for templateTaskID

timeline_exception_infoField for timelineExceptionInfo

total_hoursField for totalHours

total_op_task_countField for totalOpTaskCount

total_task_countField for totalTaskCount

tracking_modeField for trackingMode

update_typeField for updateType

updatesCollection for updates

urlField for URL

url_Field for url

versionField for version

wbsField for wbs

workField for work

work_itemReference for workItem

work_requiredField for workRequired

work_required_expressionField for workRequiredExpression

work_unitField for workUnit

class workfront.versions.unsupported.ApprovalPath(session=None, **fields)Object for ARVPTH

2.2. API Reference 189

python-workfront Documentation, Release 0.8.0

approval_processReference for approvalProcess

approval_process_idField for approvalProcessID

approval_stepsCollection for approvalSteps

customerReference for customer

customer_idField for customerID

duration_minutesField for durationMinutes

duration_unitField for durationUnit

rejected_statusField for rejectedStatus

rejected_status_labelField for rejectedStatusLabel

should_create_issueField for shouldCreateIssue

target_statusField for targetStatus

target_status_labelField for targetStatusLabel

class workfront.versions.unsupported.ApprovalProcess(session=None, **fields)Object for ARVPRC

accessor_idsField for accessorIDs

approval_obj_codeField for approvalObjCode

approval_pathsCollection for approvalPaths

approval_statusesField for approvalStatuses

customerReference for customer

customer_idField for customerID

descriptionField for description

duration_minutesField for durationMinutes

190 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

ext_ref_idField for extRefID

is_privateField for isPrivate

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

nameField for name

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

class workfront.versions.unsupported.ApprovalProcessAttachable(session=None,**fields)

Object for APRPROCATCH

allowed_actionsField for allowedActions

approval_est_start_dateField for approvalEstStartDate

approval_planned_start_dateField for approvalPlannedStartDate

approval_planned_start_dayField for approvalPlannedStartDay

approval_processReference for approvalProcess

approval_process_idField for approvalProcessID

approval_projected_start_dateField for approvalProjectedStartDate

approver_statusesCollection for approverStatuses

categoryReference for category

2.2. API Reference 191

python-workfront Documentation, Release 0.8.0

category_idField for categoryID

current_approval_stepReference for currentApprovalStep

current_approval_step_idField for currentApprovalStepID

force_editField for forceEdit

object_categoriesCollection for objectCategories

parameter_valuesCollection for parameterValues

previous_statusField for previousStatus

rejection_issueReference for rejectionIssue

rejection_issue_idField for rejectionIssueID

submitted_byReference for submittedBy

submitted_by_idField for submittedByID

class workfront.versions.unsupported.ApprovalStep(session=None, **fields)Object for ARVSTP

approval_pathReference for approvalPath

approval_path_idField for approvalPathID

approval_typeField for approvalType

customerReference for customer

customer_idField for customerID

nameField for name

sequence_numberField for sequenceNumber

step_approversCollection for stepApprovers

class workfront.versions.unsupported.ApproverStatus(session=None, **fields)Object for ARVSTS

192 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

approvable_obj_codeField for approvableObjCode

approvable_obj_idField for approvableObjID

approval_stepReference for approvalStep

approval_step_idField for approvalStepID

approved_byReference for approvedBy

approved_by_idField for approvedByID

customerReference for customer

customer_idField for customerID

delegate_userReference for delegateUser

delegate_user_idField for delegateUserID

is_overriddenField for isOverridden

op_taskReference for opTask

op_task_idField for opTaskID

overridden_userReference for overriddenUser

overridden_user_idField for overriddenUserID

projectReference for project

project_idField for projectID

statusField for status

step_approverReference for stepApprover

step_approver_idField for stepApproverID

taskReference for task

2.2. API Reference 193

python-workfront Documentation, Release 0.8.0

task_idField for taskID

wildcard_userReference for wildcardUser

wildcard_user_idField for wildcardUserID

class workfront.versions.unsupported.Assignment(session=None, **fields)Object for ASSGN

accessor_idsField for accessorIDs

actual_work_completedField for actualWorkCompleted

actual_work_per_day_start_dateField for actualWorkPerDayStartDate

assigned_byReference for assignedBy

assigned_by_idField for assignedByID

assigned_toReference for assignedTo

assigned_to_idField for assignedToID

assignment_percentField for assignmentPercent

avg_work_per_dayField for avgWorkPerDay

customerReference for customer

customer_idField for customerID

feedback_statusField for feedbackStatus

is_primaryField for isPrimary

is_team_assignmentField for isTeamAssignment

olvField for olv

op_taskReference for opTask

op_task_idField for opTaskID

194 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

planned_user_allocation_percentageField for plannedUserAllocationPercentage

projectReference for project

project_idField for projectID

projected_avg_work_per_dayField for projectedAvgWorkPerDay

projected_user_allocation_percentageField for projectedUserAllocationPercentage

roleReference for role

role_idField for roleID

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

statusField for status

taskReference for task

task_idField for taskID

teamReference for team

team_idField for teamID

workField for work

work_itemReference for workItem

work_requiredField for workRequired

work_unitField for workUnit

class workfront.versions.unsupported.AuditLoginAsSession(session=None, **fields)Object for AUDS

action_countField for actionCount

all_accessed_users()The allAccessedUsers action.

Returns map

2.2. API Reference 195

python-workfront Documentation, Release 0.8.0

all_admins()The allAdmins action.

Returns map

audit_session(user_id=None, target_user_id=None)The auditSession action.

Parameters

• user_id – userID (type: string)

• target_user_id – targetUserID (type: string)

Returns string

customerReference for customer

customer_idField for customerID

end_audit(session_id=None)The endAudit action.

Parameters session_id – sessionID (type: string)

end_dateField for endDate

get_accessed_users(user_id=None)The getAccessedUsers action.

Parameters user_id – userID (type: string)

Returns map

journal_entriesCollection for journalEntries

note_countField for noteCount

notesCollection for notes

session_idField for sessionID

start_dateField for startDate

target_userReference for targetUser

target_user_displayField for targetUserDisplay

target_user_idField for targetUserID

userReference for user

user_displayField for userDisplay

196 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

user_idField for userID

who_accessed_user(user_id=None)The whoAccessedUser action.

Parameters user_id – userID (type: string)

Returns map

class workfront.versions.unsupported.Authentication(session=None, **fields)Object for AUTH

create_public_session()The createPublicSession action.

Returns map

create_schema()The createSchema action.

create_session()The createSession action.

Returns map

get_days_to_expiration_for_user()The getDaysToExpirationForUser action.

Returns java.lang.Integer

get_password_complexity_by_token(token=None)The getPasswordComplexityByToken action.

Parameters token – token (type: string)

Returns string

get_password_complexity_by_username(username=None)The getPasswordComplexityByUsername action.

Parameters username – username (type: string)

Returns string

get_ssooption_by_domain(domain=None)The getSSOOptionByDomain action.

Parameters domain – domain (type: string)

Returns map

get_upgrades_info()The getUpgradesInfo action.

Returns map

login_with_user_name(session_id=None, username=None)The loginWithUserName action.

Parameters

• session_id – sessionID (type: string)

• username – username (type: string)

Returns map

2.2. API Reference 197

python-workfront Documentation, Release 0.8.0

login_with_user_name_and_password(username=None, password=None)The loginWithUserNameAndPassword action.

Parameters

• username – username (type: string)

• password – password (type: string)

Returns map

logout(sso_user=None, is_mobile=None)The logout action.

Parameters

• sso_user – ssoUser (type: boolean)

• is_mobile – isMobile (type: boolean)

obj_codeField for objCode

perform_upgrade()The performUpgrade action.

reset_password(user_name=None, old_password=None, new_password=None)The resetPassword action.

Parameters

• user_name – userName (type: string)

• old_password – oldPassword (type: string)

• new_password – newPassword (type: string)

reset_password_by_token(token=None, new_password=None)The resetPasswordByToken action.

Parameters

• token – token (type: string)

• new_password – newPassword (type: string)

Returns string

upgrade_progress()The upgradeProgress action.

Returns map

class workfront.versions.unsupported.Avatar(session=None, **fields)Object for AVATAR

allowed_actionsField for allowedActions

avatar_dateField for avatarDate

avatar_download_urlField for avatarDownloadURL

avatar_sizeField for avatarSize

198 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

avatar_xField for avatarX

avatar_yField for avatarY

crop_unsaved_avatar_file(handle=None, width=None, height=None, avatar_x=None,avatar_y=None)

The cropUnsavedAvatarFile action.

Parameters

• handle – handle (type: string)

• width – width (type: int)

• height – height (type: int)

• avatar_x – avatarX (type: int)

• avatar_y – avatarY (type: int)

Returns string

get_avatar_data(obj_code=None, obj_id=None, size=None)The getAvatarData action.

Parameters

• obj_code – objCode (type: string)

• obj_id – objID (type: string)

• size – size (type: string)

Returns string

get_avatar_download_url(obj_code=None, obj_id=None, size=None, no_grayscale=None,public_token=None)

The getAvatarDownloadURL action.

Parameters

• obj_code – objCode (type: string)

• obj_id – objID (type: string)

• size – size (type: string)

• no_grayscale – noGrayscale (type: boolean)

• public_token – publicToken (type: string)

Returns string

get_avatar_file(obj_code=None, obj_id=None, size=None, no_grayscale=None)The getAvatarFile action.

Parameters

• obj_code – objCode (type: string)

• obj_id – objID (type: string)

• size – size (type: string)

• no_grayscale – noGrayscale (type: boolean)

Returns string

2.2. API Reference 199

python-workfront Documentation, Release 0.8.0

handleField for handle

resize_unsaved_avatar_file(handle=None, width=None, height=None)The resizeUnsavedAvatarFile action.

Parameters

• handle – handle (type: string)

• width – width (type: int)

• height – height (type: int)

class workfront.versions.unsupported.AwaitingApproval(session=None, **fields)Object for AWAPVL

access_requestReference for accessRequest

access_request_idField for accessRequestID

approvable_idField for approvableID

approver_idField for approverID

customerReference for customer

customer_idField for customerID

documentReference for document

document_idField for documentID

entry_dateField for entryDate

get_my_awaiting_approvals_count()The getMyAwaitingApprovalsCount action.

Returns java.lang.Integer

get_my_awaiting_approvals_filtered_count(object_type=None)The getMyAwaitingApprovalsFilteredCount action.

Parameters object_type – objectType (type: string)

Returns java.lang.Integer

get_my_submitted_awaiting_approvals_count()The getMySubmittedAwaitingApprovalsCount action.

Returns java.lang.Integer

op_taskReference for opTask

op_task_idField for opTaskID

200 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

projectReference for project

project_idField for projectID

roleReference for role

role_idField for roleID

submitted_byReference for submittedBy

submitted_by_idField for submittedByID

taskReference for task

task_idField for taskID

teamReference for team

team_idField for teamID

timesheetReference for timesheet

timesheet_idField for timesheetID

userReference for user

user_idField for userID

class workfront.versions.unsupported.BackgroundJob(session=None, **fields)Object for BKGJOB

access_countField for accessCount

cache_keyField for cacheKey

can_enqueue_export()The canEnqueueExport action.

Returns java.lang.Boolean

changed_objectsField for changedObjects

customerReference for customer

customer_idField for customerID

2.2. API Reference 201

python-workfront Documentation, Release 0.8.0

end_dateField for endDate

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

error_messageField for errorMessage

expiration_dateField for expirationDate

file_for_completed_job(increase_access_count=None)The fileForCompletedJob action.

Parameters increase_access_count – increaseAccessCount (type: boolean)

Returns string

handler_class_nameField for handlerClassName

max_progressField for maxProgress

migrate_journal_field_wild_card()The migrateJournalFieldWildCard action.

Returns string

migrate_ppmto_anaconda()The migratePPMToAnaconda action.

Returns string

percent_completeField for percentComplete

progressField for progress

progress_textField for progressText

running_jobs_count(handler_class_name=None)The runningJobsCount action.

Parameters handler_class_name – handlerClassName (type: string)

Returns java.lang.Integer

start_dateField for startDate

start_kick_start_download(export_object_map=None, objcodes=None, ex-clude_demo_data=None, new_ooxmlformat=None, popu-late_existing_data=None)

The startKickStartDownload action.

Parameters

202 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

• export_object_map – exportObjectMap (type: map)

• objcodes – objcodes (type: string[])

• exclude_demo_data – excludeDemoData (type: boolean)

• new_ooxmlformat – newOOXMLFormat (type: boolean)

• populate_existing_data – populateExistingData (type: boolean)

Returns string

statusField for status

class workfront.versions.unsupported.Baseline(session=None, **fields)Object for BLIN

actual_completion_dateField for actualCompletionDate

actual_costField for actualCost

actual_duration_minutesField for actualDurationMinutes

actual_start_dateField for actualStartDate

actual_work_requiredField for actualWorkRequired

auto_generatedField for autoGenerated

baseline_tasksCollection for baselineTasks

budgetField for budget

conditionField for condition

cpiField for cpi

csiField for csi

customerReference for customer

customer_idField for customerID

duration_minutesField for durationMinutes

eacField for eac

entry_dateField for entryDate

2.2. API Reference 203

python-workfront Documentation, Release 0.8.0

est_completion_dateField for estCompletionDate

est_start_dateField for estStartDate

is_defaultField for isDefault

nameField for name

percent_completeField for percentComplete

planned_completion_dateField for plannedCompletionDate

planned_costField for plannedCost

planned_start_dateField for plannedStartDate

progress_statusField for progressStatus

projectReference for project

project_idField for projectID

projected_completion_dateField for projectedCompletionDate

projected_start_dateField for projectedStartDate

spiField for spi

work_requiredField for workRequired

class workfront.versions.unsupported.BaselineTask(session=None, **fields)Object for BSTSK

actual_completion_dateField for actualCompletionDate

actual_costField for actualCost

actual_duration_minutesField for actualDurationMinutes

actual_start_dateField for actualStartDate

actual_work_requiredField for actualWorkRequired

204 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

baselineReference for baseline

baseline_idField for baselineID

cpiField for cpi

csiField for csi

customerReference for customer

customer_idField for customerID

duration_minutesField for durationMinutes

duration_unitField for durationUnit

eacField for eac

entry_dateField for entryDate

est_completion_dateField for estCompletionDate

est_start_dateField for estStartDate

is_defaultField for isDefault

nameField for name

percent_completeField for percentComplete

planned_completion_dateField for plannedCompletionDate

planned_costField for plannedCost

planned_start_dateField for plannedStartDate

progress_statusField for progressStatus

projected_completion_dateField for projectedCompletionDate

projected_start_dateField for projectedStartDate

2.2. API Reference 205

python-workfront Documentation, Release 0.8.0

spiField for spi

taskReference for task

task_idField for taskID

work_requiredField for workRequired

class workfront.versions.unsupported.BillingRecord(session=None, **fields)Object for BILL

accessor_idsField for accessorIDs

amountField for amount

billable_tasksCollection for billableTasks

billing_dateField for billingDate

customerReference for customer

customer_idField for customerID

descriptionField for description

display_nameField for displayName

expensesCollection for expenses

ext_ref_idField for extRefID

hoursCollection for hours

invoice_idField for invoiceID

other_amountField for otherAmount

po_numberField for poNumber

projectReference for project

project_idField for projectID

206 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

statusField for status

class workfront.versions.unsupported.Branding(session=None, **fields)Object for BRND

customerReference for customer

customer_idField for customerID

detailsField for details

last_update_dateField for lastUpdateDate

class workfront.versions.unsupported.BurndownEvent(session=None, **fields)Object for BDNEVT

apply_dateField for applyDate

burndown_obj_codeField for burndownObjCode

burndown_obj_idField for burndownObjID

customerReference for customer

customer_idField for customerID

delta_points_completeField for deltaPointsComplete

delta_total_itemsField for deltaTotalItems

delta_total_pointsField for deltaTotalPoints

entry_dateField for entryDate

event_obj_codeField for eventObjCode

event_obj_idField for eventObjID

is_completeField for isComplete

class workfront.versions.unsupported.CalendarEvent(session=None, **fields)Object for CALEVT

calendar_sectionReference for calendarSection

2.2. API Reference 207

python-workfront Documentation, Release 0.8.0

calendar_section_idField for calendarSectionID

colorField for color

customerReference for customer

customer_idField for customerID

descriptionField for description

end_dateField for endDate

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

ext_ref_idField for extRefID

nameField for name

start_dateField for startDate

class workfront.versions.unsupported.CalendarFeedEntry(session=None, **fields)Object for CALITM

allowed_actionsField for allowedActions

assigned_to_idField for assignedToID

assigned_to_nameField for assignedToName

assigned_to_titleField for assignedToTitle

calendar_eventReference for calendarEvent

calendar_event_idField for calendarEventID

calendar_section_idsField for calendarSectionIDs

colorField for color

208 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

due_dateField for dueDate

end_dateField for endDate

obj_codeField for objCode

op_taskReference for opTask

op_task_idField for opTaskID

percent_completeField for percentComplete

projectReference for project

project_display_nameField for projectDisplayName

project_idField for projectID

ref_nameField for refName

ref_obj_codeField for refObjCode

ref_obj_idField for refObjID

start_dateField for startDate

statusField for status

taskReference for task

task_idField for taskID

class workfront.versions.unsupported.CalendarInfo(session=None, **fields)Object for CALEND

access_rulesCollection for accessRules

accessor_idsField for accessorIDs

calendar_sectionsCollection for calendarSections

create_first_calendar()The createFirstCalendar action.

Returns string

2.2. API Reference 209

python-workfront Documentation, Release 0.8.0

create_project_section(project_id=None, color=None)The createProjectSection action.

Parameters

• project_id – projectID (type: string)

• color – color (type: string)

Returns string

customerReference for customer

customer_idField for customerID

is_publicField for isPublic

nameField for name

public_tokenField for publicToken

run_as_userReference for runAsUser

run_as_user_idField for runAsUserID

security_ancestorsCollection for securityAncestors

security_ancestors_disabledField for securityAncestorsDisabled

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

userReference for user

user_idField for userID

class workfront.versions.unsupported.CalendarPortalSection(session=None, **fields)Object for CALPTL

calendar_infoReference for calendarInfo

calendar_info_idField for calendarInfoID

customerReference for customer

customer_idField for customerID

210 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

nameField for name

obj_idField for objID

obj_obj_codeField for objObjCode

class workfront.versions.unsupported.CalendarSection(session=None, **fields)Object for CALSEC

cal_eventsField for calEvents

calendarReference for calendar

calendar_eventsCollection for calendarEvents

calendar_idField for calendarID

callable_expressionsCollection for callableExpressions

colorField for color

customerReference for customer

customer_idField for customerID

durationField for duration

filtersCollection for filters

get_concatenated_expression_form(expression=None)The getConcatenatedExpressionForm action.

Parameters expression – expression (type: string)

Returns string

get_pretty_expression_form(expression=None)The getPrettyExpressionForm action.

Parameters expression – expression (type: string)

Returns string

2.2. API Reference 211

python-workfront Documentation, Release 0.8.0

milestoneField for milestone

nameField for name

planned_dateField for plannedDate

start_dateField for startDate

class workfront.versions.unsupported.CallableExpression(session=None, **fields)Object for CALEXP

customerReference for customer

customer_idField for customerID

expressionField for expression

ui_obj_codeField for uiObjCode

validate_callable_expression(custom_expression=None)The validateCallableExpression action.

Parameters custom_expression – customExpression (type: string)

class workfront.versions.unsupported.Category(session=None, **fields)Object for CTGY

access_rulesCollection for accessRules

accessor_idsField for accessorIDs

assign_categories(obj_id=None, obj_code=None, category_ids=None)The assignCategories action.

Parameters

• obj_id – objID (type: string)

• obj_code – objCode (type: string)

• category_ids – categoryIDs (type: string[])

assign_category(obj_id=None, obj_code=None, category_id=None)The assignCategory action.

Parameters

• obj_id – objID (type: string)

• obj_code – objCode (type: string)

• category_id – categoryID (type: string)

calculate_data_extension()The calculateDataExtension action.

212 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

cat_obj_codeField for catObjCode

category_access_rulesCollection for categoryAccessRules

category_cascade_rulesCollection for categoryCascadeRules

category_parametersCollection for categoryParameters

customerReference for customer

customer_idField for customerID

descriptionField for description

entered_byReference for enteredBy

entered_by_idField for enteredByID

ext_ref_idField for extRefID

get_expression_types()The getExpressionTypes action.

Returns map

get_filtered_categories(obj_code=None, object_id=None, object_map=None)The getFilteredCategories action.

Parameters

• obj_code – objCode (type: string)

• object_id – objectID (type: string)

• object_map – objectMap (type: map)

Returns string[]

get_formula_calculated_expression(custom_expression=None)The getFormulaCalculatedExpression action.

Parameters custom_expression – customExpression (type: string)

Returns string

get_friendly_calculated_expression(custom_expression=None)The getFriendlyCalculatedExpression action.

Parameters custom_expression – customExpression (type: string)

Returns string

groupReference for group

2.2. API Reference 213

python-workfront Documentation, Release 0.8.0

group_idField for groupID

has_calculated_fieldsField for hasCalculatedFields

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

nameField for name

other_groupsCollection for otherGroups

reorder_categories(obj_id=None, obj_code=None, category_ids=None)The reorderCategories action.

Parameters

• obj_id – objID (type: string)

• obj_code – objCode (type: string)

• category_ids – categoryIDs (type: string[])

unassign_categories(obj_id=None, obj_code=None, category_ids=None)The unassignCategories action.

Parameters

• obj_id – objID (type: string)

• obj_code – objCode (type: string)

• category_ids – categoryIDs (type: string[])

unassign_category(obj_id=None, obj_code=None, category_id=None)The unassignCategory action.

Parameters

• obj_id – objID (type: string)

• obj_code – objCode (type: string)

• category_id – categoryID (type: string)

update_calculated_parameter_values(category_id=None, parameter_ids=None,should_auto_commit=None)

The updateCalculatedParameterValues action.

Parameters

• category_id – categoryID (type: string)

• parameter_ids – parameterIDs (type: string[])

• should_auto_commit – shouldAutoCommit (type: boolean)

validate_custom_expression(cat_obj_code=None, custom_expression=None)The validateCustomExpression action.

214 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

Parameters

• cat_obj_code – catObjCode (type: string)

• custom_expression – customExpression (type: string)

class workfront.versions.unsupported.CategoryAccessRule(session=None, **fields)Object for CATACR

accessor_idField for accessorID

accessor_obj_codeField for accessorObjCode

categoryReference for category

category_idField for categoryID

customerReference for customer

customer_idField for customerID

class workfront.versions.unsupported.CategoryCascadeRule(session=None, **fields)Object for CTCSRL

categoryReference for category

category_cascade_rule_matchesCollection for categoryCascadeRuleMatches

category_idField for categoryID

customerReference for customer

customer_idField for customerID

next_parameterReference for nextParameter

next_parameter_groupReference for nextParameterGroup

next_parameter_group_idField for nextParameterGroupID

next_parameter_idField for nextParameterID

otherwise_parameterReference for otherwiseParameter

otherwise_parameter_idField for otherwiseParameterID

rule_typeField for ruleType

2.2. API Reference 215

python-workfront Documentation, Release 0.8.0

to_end_of_formField for toEndOfForm

class workfront.versions.unsupported.CategoryCascadeRuleMatch(session=None,**fields)

Object for CTCSRM

category_cascade_ruleReference for categoryCascadeRule

category_cascade_rule_idField for categoryCascadeRuleID

customerReference for customer

customer_idField for customerID

match_typeField for matchType

parameterReference for parameter

parameter_idField for parameterID

valueField for value

class workfront.versions.unsupported.CategoryParameter(session=None, **fields)Object for CTGYPA

categoryReference for category

category_idField for categoryID

category_parameter_expressionReference for categoryParameterExpression

custom_expressionField for customExpression

customerReference for customer

customer_idField for customerID

display_orderField for displayOrder

is_invalid_expressionField for isInvalidExpression

is_journaledField for isJournaled

is_requiredField for isRequired

216 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

parameterReference for parameter

parameter_groupReference for parameterGroup

parameter_group_idField for parameterGroupID

parameter_idField for parameterID

row_sharedField for rowShared

security_levelField for securityLevel

update_calculated_valuesField for updateCalculatedValues

view_security_levelField for viewSecurityLevel

class workfront.versions.unsupported.CategoryParameterExpression(session=None,**fields)

Object for CTGPEX

category_parameterReference for categoryParameter

custom_expressionField for customExpression

customerReference for customer

customer_idField for customerID

has_finance_fieldsField for hasFinanceFields

class workfront.versions.unsupported.Company(session=None, **fields)Object for CMPY

add_early_access(ids=None)The addEarlyAccess action.

Parameters ids – ids (type: string[])

calculate_data_extension()The calculateDataExtension action.

categoryReference for category

category_idField for categoryID

customerReference for customer

customer_idField for customerID

2.2. API Reference 217

python-workfront Documentation, Release 0.8.0

default_interfaceField for defaultInterface

delete_early_access(ids=None)The deleteEarlyAccess action.

Parameters ids – ids (type: string[])

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

ext_ref_idField for extRefID

has_rate_overrideField for hasRateOverride

has_reference(ids=None)The hasReference action.

Parameters ids – ids (type: string[])

Returns java.lang.Boolean

is_primaryField for isPrimary

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

nameField for name

object_categoriesCollection for objectCategories

parameter_valuesCollection for parameterValues

ratesCollection for rates

class workfront.versions.unsupported.ComponentKey(session=None, **fields)Object for CMPSRV

component_keyField for componentKey

nameField for name

class workfront.versions.unsupported.CustomEnum(session=None, **fields)Object for CSTEM

218 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

colorField for color

custom_enum_ordersCollection for customEnumOrders

customerReference for customer

customer_idField for customerID

descriptionField for description

enum_classField for enumClass

equates_withField for equatesWith

ext_ref_idField for extRefID

get_default_op_task_priority_enum()The getDefaultOpTaskPriorityEnum action.

Returns java.lang.Integer

get_default_project_status_enum()The getDefaultProjectStatusEnum action.

Returns string

get_default_severity_enum()The getDefaultSeverityEnum action.

Returns java.lang.Integer

get_default_task_priority_enum()The getDefaultTaskPriorityEnum action.

Returns java.lang.Integer

get_enum_color(enum_class=None, enum_obj_code=None, value=None)The getEnumColor action.

Parameters

• enum_class – enumClass (type: string)

• enum_obj_code – enumObjCode (type: string)

• value – value (type: string)

Returns string

is_primaryField for isPrimary

labelField for label

set_custom_enums(type=None, custom_enums=None, replace_with_key_values=None)The setCustomEnums action.

2.2. API Reference 219

python-workfront Documentation, Release 0.8.0

Parameters

• type – type (type: string)

• custom_enums – customEnums (type: string[])

• replace_with_key_values – replaceWithKeyValues (type: map)

Returns map

valueField for value

value_as_intField for valueAsInt

value_as_stringField for valueAsString

class workfront.versions.unsupported.CustomEnumOrder(session=None, **fields)Object for CSTEMO

custom_enumReference for customEnum

custom_enum_idField for customEnumID

customerReference for customer

customer_idField for customerID

display_orderField for displayOrder

is_hiddenField for isHidden

sub_obj_codeField for subObjCode

class workfront.versions.unsupported.CustomMenu(session=None, **fields)Object for CSTMNU

children_menusCollection for childrenMenus

customerReference for customer

customer_idField for customerID

display_orderField for displayOrder

is_parentField for isParent

labelField for label

220 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

menu_obj_codeField for menuObjCode

obj_idField for objID

obj_interfaceField for objInterface

portal_profileReference for portalProfile

target_external_sectionReference for targetExternalSection

target_external_section_idField for targetExternalSectionID

target_obj_codeField for targetObjCode

target_obj_idField for targetObjID

target_portal_sectionReference for targetPortalSection

target_portal_section_idField for targetPortalSectionID

target_portal_tabReference for targetPortalTab

target_portal_tab_idField for targetPortalTabID

windowField for window

class workfront.versions.unsupported.CustomMenuCustomMenu(session=None, **fields)Object for CMSCMS

childReference for child

child_idField for childID

customerReference for customer

customer_idField for customerID

display_orderField for displayOrder

parentReference for parent

parent_idField for parentID

2.2. API Reference 221

python-workfront Documentation, Release 0.8.0

class workfront.versions.unsupported.CustomQuarter(session=None, **fields)Object for CSTQRT

customerReference for customer

customer_idField for customerID

end_dateField for endDate

quarter_labelField for quarterLabel

start_dateField for startDate

class workfront.versions.unsupported.Customer(session=None, **fields)Object for CUST

accept_license_agreement()The acceptLicenseAgreement action.

access_levelsCollection for accessLevels

access_rules_per_object_limitField for accessRulesPerObjectLimit

access_scopesCollection for accessScopes

account_repReference for accountRep

account_rep_idField for accountRepID

account_representativeField for accountRepresentative

addressField for address

address2Field for address2

admin_acct_nameField for adminAcctName

admin_acct_passwordField for adminAcctPassword

admin_userReference for adminUser

admin_user_idField for adminUserID

api_concurrency_limitField for apiConcurrencyLimit

222 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

app_eventsCollection for appEvents

approval_processesCollection for approvalProcesses

biz_rule_exclusionsField for bizRuleExclusions

categoriesCollection for categories

check_license_expiration()The checkLicenseExpiration action.

Returns java.lang.Integer

cityField for city

cloneableField for cloneable

countryField for country

currencyField for currency

custom_enum_typesField for customEnumTypes

custom_enumsCollection for customEnums

custom_menusCollection for customMenus

custom_quartersCollection for customQuarters

custom_tabsCollection for customTabs

customer_config_mapReference for customerConfigMap

customer_config_map_idField for customerConfigMapID

customer_prefsCollection for customerPrefs

customer_urlconfig_mapReference for customerURLConfigMap

customer_urlconfig_map_idField for customerURLConfigMapID

dd_svnversionField for ddSVNVersion

demo_baseline_dateField for demoBaselineDate

2.2. API Reference 223

python-workfront Documentation, Release 0.8.0

descriptionField for description

disabled_dateField for disabledDate

document_requestsCollection for documentRequests

document_sizeField for documentSize

documentsCollection for documents

domainField for domain

email_addrField for emailAddr

email_templatesCollection for emailTemplates

entry_dateField for entryDate

eval_exp_dateField for evalExpDate

event_handlersCollection for eventHandlers

exp_dateField for expDate

expense_typesCollection for expenseTypes

ext_ref_idField for extRefID

external_document_storageField for externalDocumentStorage

external_sectionsCollection for externalSections

external_users_enabledField for externalUsersEnabled

external_users_groupReference for externalUsersGroup

external_users_group_idField for externalUsersGroupID

extra_document_storageField for extraDocumentStorage

finance_representativeField for financeRepresentative

224 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

firstnameField for firstname

full_usersField for fullUsers

get_license_info()The getLicenseInfo action.

Returns map

goldenField for golden

groupsCollection for groups

has_documentsField for hasDocuments

has_preview_accessField for hasPreviewAccess

has_timed_notificationsField for hasTimedNotifications

help_desk_config_mapReference for helpDeskConfigMap

help_desk_config_map_idField for helpDeskConfigMapID

hour_typesCollection for hourTypes

import_templatesCollection for importTemplates

inline_java_script_config_mapReference for inlineJavaScriptConfigMap

inline_java_script_config_map_idField for inlineJavaScriptConfigMapID

installed_dditemsCollection for installedDDItems

ip_rangesCollection for ipRanges

is_advanced_doc_mgmt_enabledField for isAdvancedDocMgmtEnabled

is_apienabledField for isAPIEnabled

is_async_reporting_enabledField for isAsyncReportingEnabled

is_biz_rule_exclusion_enabled(biz_rule=None, obj_code=None, obj_id=None)The isBizRuleExclusionEnabled action.

Parameters

• biz_rule – bizRule (type: string)

2.2. API Reference 225

python-workfront Documentation, Release 0.8.0

• obj_code – objCode (type: string)

• obj_id – objID (type: string)

Returns java.lang.Boolean

is_custom_quarter_enabledField for isCustomQuarterEnabled

is_dam_enabledField for isDamEnabled

is_disabledField for isDisabled

is_enterpriseField for isEnterprise

is_migrated_to_anacondaField for isMigratedToAnaconda

is_portal_profile_migratedField for isPortalProfileMigrated

is_proofing_enabledField for isProofingEnabled

is_search_enabledField for isSearchEnabled

is_search_index_activeField for isSearchIndexActive

is_soapenabledField for isSOAPEnabled

is_ssoenabled()The isSSOEnabled action.

Returns java.lang.Boolean

is_warning_disabledField for isWarningDisabled

is_white_list_ipenabledField for isWhiteListIPEnabled

is_workfront_dam_enabledField for isWorkfrontDamEnabled

journal_field_limitField for journalFieldLimit

journal_fieldsCollection for journalFields

kick_start_expoert_dashboards_limitField for kickStartExpoertDashboardsLimit

kick_start_expoert_reports_limitField for kickStartExpoertReportsLimit

last_remind_dateField for lastRemindDate

226 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

last_usage_report_dateField for lastUsageReportDate

lastnameField for lastname

layout_templatesCollection for layoutTemplates

license_ordersCollection for licenseOrders

limited_usersField for limitedUsers

list_auto_refresh_interval_secondsField for listAutoRefreshIntervalSeconds

localeField for locale

lucid_migration_dateField for lucidMigrationDate

lucid_migration_modeField for lucidMigrationMode

lucid_migration_optionsField for lucidMigrationOptions

lucid_migration_statusField for lucidMigrationStatus

lucid_migration_stepField for lucidMigrationStep

migrate_to_lucid_security(migration_mode=None, migration_options=None)The migrateToLucidSecurity action.

Parameters

• migration_mode – migrationMode (type: com.attask.common.constants.LucidMigrationModeEnum)

• migration_options – migrationOptions (type: map)

Returns string

milestone_pathsCollection for milestonePaths

nameField for name

need_license_agreementField for needLicenseAgreement

next_usage_report_dateField for nextUsageReportDate

notification_config_mapReference for notificationConfigMap

notification_config_map_idField for notificationConfigMapID

2.2. API Reference 227

python-workfront Documentation, Release 0.8.0

on_demand_optionsField for onDemandOptions

op_task_count_limitField for opTaskCountLimit

parameter_groupsCollection for parameterGroups

parametersCollection for parameters

password_config_mapReference for passwordConfigMap

password_config_map_idField for passwordConfigMapID

phone_numberField for phoneNumber

portal_profilesCollection for portalProfiles

portal_sectionsCollection for portalSections

portfolio_management_config_mapReference for portfolioManagementConfigMap

portfolio_management_config_map_idField for portfolioManagementConfigMapID

postal_codeField for postalCode

project_management_config_mapReference for projectManagementConfigMap

project_management_config_map_idField for projectManagementConfigMapID

proof_account_idField for proofAccountID

query_limitField for queryLimit

record_limitField for recordLimit

requestor_usersField for requestorUsers

resellerReference for reseller

reseller_idField for resellerID

reset_lucid_security_migration_progress()The resetLucidSecurityMigrationProgress action.

228 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

resource_poolsCollection for resourcePools

revert_lucid_security_migration()The revertLucidSecurityMigration action.

review_usersField for reviewUsers

risk_typesCollection for riskTypes

rolesCollection for roles

sandbox_countField for sandboxCount

sandbox_refreshingField for sandboxRefreshing

schedulesCollection for schedules

score_cardsCollection for scoreCards

security_model_typeField for securityModelType

set_exclusions(exclusions=None, state=None)The setExclusions action.

Parameters

• exclusions – exclusions (type: string)

• state – state (type: boolean)

set_is_custom_quarter_enabled(is_custom_quarter_enabled=None)The setIsCustomQuarterEnabled action.

Parameters is_custom_quarter_enabled – isCustomQuarterEnabled (type:boolean)

set_is_white_list_ipenabled(is_white_list_ipenabled=None)The setIsWhiteListIPEnabled action.

Parameters is_white_list_ipenabled – isWhiteListIPEnabled (type: boolean)

set_lucid_migration_enabled(enabled=None)The setLucidMigrationEnabled action.

Parameters enabled – enabled (type: boolean)

sso_optionReference for ssoOption

sso_typeField for ssoType

stateField for state

2.2. API Reference 229

python-workfront Documentation, Release 0.8.0

statusField for status

style_sheetField for styleSheet

task_count_limitField for taskCountLimit

team_usersField for teamUsers

time_zoneField for timeZone

timed_notificationsCollection for timedNotifications

timesheet_config_mapReference for timesheetConfigMap

timesheet_config_map_idField for timesheetConfigMapID

trialField for trial

ui_config_mapReference for uiConfigMap

ui_config_map_idField for uiConfigMapID

ui_filtersCollection for uiFilters

ui_group_bysCollection for uiGroupBys

ui_viewsCollection for uiViews

update_currency(base_currency=None)The updateCurrency action.

Parameters base_currency – baseCurrency (type: string)

update_customer_base(time_zone=None, locale=None, admin_acct_name=None)The updateCustomerBase action.

Parameters

• time_zone – timeZone (type: string)

• locale – locale (type: string)

• admin_acct_name – adminAcctName (type: string)

update_proofing_billing_plan(plan_id=None)The updateProofingBillingPlan action.

Parameters plan_id – planID (type: string)

Returns java.lang.Boolean

230 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

usage_report_attemptsField for usageReportAttempts

use_external_document_storageField for useExternalDocumentStorage

user_invite_config_mapReference for userInviteConfigMap

user_invite_config_map_idField for userInviteConfigMapID

class workfront.versions.unsupported.CustomerFeedback(session=None, **fields)Object for CSFD

commentField for comment

customer_guidField for customerGUID

entry_dateField for entryDate

feedback_typeField for feedbackType

is_adminField for isAdmin

is_primary_adminField for isPrimaryAdmin

license_typeField for licenseType

scoreField for score

user_guidField for userGUID

class workfront.versions.unsupported.CustomerPref(session=None, **fields)Object for CSTPRF

customerReference for customer

customer_idField for customerID

pref_nameField for prefName

pref_valueField for prefValue

class workfront.versions.unsupported.CustomerPreferences(session=None, **fields)Object for CUSTPR

nameField for name

2.2. API Reference 231

python-workfront Documentation, Release 0.8.0

obj_codeField for objCode

possible_valuesField for possibleValues

set_preference(name=None, value=None)The setPreference action.

Parameters

• name – name (type: string)

• value – value (type: string)

valueField for value

class workfront.versions.unsupported.CustomerTimelineCalc(session=None, **fields)Object for CPTC

customerReference for customer

customer_idField for customerID

olvField for olv

start_dateField for startDate

timeline_calculation_statusField for timelineCalculationStatus

class workfront.versions.unsupported.CustsSections(session=None, **fields)Object for CSTSEC

customerReference for customer

customer_idField for customerID

section_idField for sectionID

class workfront.versions.unsupported.DocsFolders(session=None, **fields)Object for DOCFLD

customerReference for customer

customer_idField for customerID

documentReference for document

document_idField for documentID

folderReference for folder

232 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

folder_idField for folderID

class workfront.versions.unsupported.Document(session=None, **fields)Object for DOCU

access_rulesCollection for accessRules

accessor_idsField for accessorIDs

advanced_proofing_optionsField for advancedProofingOptions

approvalsCollection for approvals

awaiting_approvalsCollection for awaitingApprovals

build_download_manifest(document_idmap=None)The buildDownloadManifest action.

Parameters document_idmap – documentIDMap (type: map)

Returns string

calculate_data_extension()The calculateDataExtension action.

cancel_document_proof(document_version_id=None)The cancelDocumentProof action.

Parameters document_version_id – documentVersionID (type: string)

categoryReference for category

category_idField for categoryID

check_document_tasks()The checkDocumentTasks action.

check_in(document_id=None)The checkIn action.

Parameters document_id – documentID (type: string)

check_out(document_id=None)The checkOut action.

Parameters document_id – documentID (type: string)

checked_out_byReference for checkedOutBy

checked_out_by_idField for checkedOutByID

copy_document_to_temp_dir(document_id=None)The copyDocumentToTempDir action.

Parameters document_id – documentID (type: string)

2.2. API Reference 233

python-workfront Documentation, Release 0.8.0

Returns string

create_document(name=None, doc_obj_code=None, doc_obj_id=None, file_handle=None,file_type=None, folder_id=None, create_proof=None, ad-vanced_proofing_options=None)

The createDocument action.

Parameters

• name – name (type: string)

• doc_obj_code – docObjCode (type: string)

• doc_obj_id – docObjID (type: string)

• file_handle – fileHandle (type: string)

• file_type – fileType (type: string)

• folder_id – folderID (type: string)

• create_proof – createProof (type: java.lang.Boolean)

• advanced_proofing_options – advancedProofingOptions (type: string)

Returns string

create_proof(document_version_id=None, advanced_proofing_options=None)The createProof action.

Parameters

• document_version_id – documentVersionID (type: string)

• advanced_proofing_options – advancedProofingOptions (type: string)

create_proof_flagField for createProof

current_versionReference for currentVersion

current_version_idField for currentVersionID

customerReference for customer

customer_idField for customerID

delete_document_proofs(document_id=None)The deleteDocumentProofs action.

Parameters document_id – documentID (type: string)

descriptionField for description

doc_obj_codeField for docObjCode

document_provider_idField for documentProviderID

document_requestReference for documentRequest

234 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

document_request_idField for documentRequestID

download_urlField for downloadURL

ext_ref_idField for extRefID

external_integration_typeField for externalIntegrationType

file_typeField for fileType

folder_idsField for folderIDs

foldersCollection for folders

get_advanced_proof_options_url()The getAdvancedProofOptionsURL action.

Returns string

get_document_contents_in_zip()The getDocumentContentsInZip action.

Returns string

get_external_document_contents()The getExternalDocumentContents action.

Returns string

get_generic_thumbnail_url(document_version_id=None)The getGenericThumbnailUrl action.

Parameters document_version_id – documentVersionID (type: string)

Returns string

get_proof_details(document_version_id=None)The getProofDetails action.

Parameters document_version_id – documentVersionID (type: string)

Returns map

get_proof_details_url(proof_id=None)The getProofDetailsURL action.

Parameters proof_id – proofID (type: string)

Returns string

get_proof_url()The getProofURL action.

Returns string

get_proof_usage()The getProofUsage action.

Returns map

2.2. API Reference 235

python-workfront Documentation, Release 0.8.0

get_public_generic_thumbnail_url(document_version_id=None, public_token=None)The getPublicGenericThumbnailUrl action.

Parameters

• document_version_id – documentVersionID (type: string)

• public_token – publicToken (type: string)

Returns string

get_public_thumbnail_file_path(document_version_id=None, size=None, pub-lic_token=None)

The getPublicThumbnailFilePath action.

Parameters

• document_version_id – documentVersionID (type: string)

• size – size (type: string)

• public_token – publicToken (type: string)

Returns string

get_s3document_url(content_disposition=None, external_storage_id=None, cus-tomer_prefs=None)

The getS3DocumentURL action.

Parameters

• content_disposition – contentDisposition (type: string)

• external_storage_id – externalStorageID (type: string)

• customer_prefs – customerPrefs (type: map)

Returns string

get_thumbnail_data(document_version_id=None, size=None)The getThumbnailData action.

Parameters

• document_version_id – documentVersionID (type: string)

• size – size (type: string)

Returns string

get_thumbnail_file_path(document_version_id=None, size=None)The getThumbnailFilePath action.

Parameters

• document_version_id – documentVersionID (type: string)

• size – size (type: string)

Returns string

get_total_size_for_documents(document_ids=None, include_linked=None)The getTotalSizeForDocuments action.

Parameters

• document_ids – documentIDs (type: string[])

• include_linked – includeLinked (type: boolean)

236 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

Returns java.lang.Long

groupsCollection for groups

handleField for handle

handle_proof_callback(callback_xml=None)The handleProofCallback action.

Parameters callback_xml – callbackXML (type: string)

has_notesField for hasNotes

is_dirField for isDir

is_in_linked_folder(document_id=None)The isInLinkedFolder action.

Parameters document_id – documentID (type: string)

Returns java.lang.Boolean

is_linked_document(document_id=None)The isLinkedDocument action.

Parameters document_id – documentID (type: string)

Returns java.lang.Boolean

is_privateField for isPrivate

is_proof_auto_genration_enabled()The isProofAutoGenrationEnabled action.

Returns java.lang.Boolean

is_proofable(document_version_id=None)The isProofable action.

Parameters document_version_id – documentVersionID (type: string)

Returns java.lang.Boolean

is_publicField for isPublic

iterationReference for iteration

iteration_idField for iterationID

last_mod_dateField for lastModDate

last_noteReference for lastNote

last_note_idField for lastNoteID

2.2. API Reference 237

python-workfront Documentation, Release 0.8.0

last_sync_dateField for lastSyncDate

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

master_taskReference for masterTask

master_task_idField for masterTaskID

move(obj_id=None, doc_obj_code=None)The move action.

Parameters

• obj_id – objID (type: string)

• doc_obj_code – docObjCode (type: string)

nameField for name

obj_idField for objID

object_categoriesCollection for objectCategories

op_taskReference for opTask

op_task_idField for opTaskID

ownerReference for owner

owner_idField for ownerID

parameter_valuesCollection for parameterValues

portfolioReference for portfolio

portfolio_idField for portfolioID

preview_urlField for previewURL

process_google_drive_change_notification(push_notification=None)The processGoogleDriveChangeNotification action.

Parameters push_notification – pushNotification (type: string)

238 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

programReference for program

program_idField for programID

projectReference for project

project_idField for projectID

public_tokenField for publicToken

reference_numberField for referenceNumber

reference_obj_codeField for referenceObjCode

reference_obj_idField for referenceObjID

reference_object_closedField for referenceObjectClosed

reference_object_nameField for referenceObjectName

refresh_external_document_info(document_id=None)The refreshExternalDocumentInfo action.

Parameters document_id – documentID (type: string)

Returns string

refresh_external_documents()The refreshExternalDocuments action.

regenerate_box_shared_link(document_version_id=None)The regenerateBoxSharedLink action.

Parameters document_version_id – documentVersionID (type: string)

release_versionReference for releaseVersion

release_version_idField for releaseVersionID

remind_requestee(document_request_id=None)The remindRequestee action.

Parameters document_request_id – documentRequestID (type: string)

Returns string

save_document_metadata(document_id=None)The saveDocumentMetadata action.

Parameters document_id – documentID (type: string)

security_ancestorsCollection for securityAncestors

2.2. API Reference 239

python-workfront Documentation, Release 0.8.0

security_ancestors_disabledField for securityAncestorsDisabled

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

send_documents_to_external_provider(document_ids=None, provider_id=None, destina-tion_folder_id=None)

The sendDocumentsToExternalProvider action.

Parameters

• document_ids – documentIDs (type: string[])

• provider_id – providerID (type: string)

• destination_folder_id – destinationFolderID (type: string)

setup_google_drive_push_notifications()The setupGoogleDrivePushNotifications action.

Returns string

sharesCollection for shares

subscribersCollection for subscribers

taskReference for task

task_idField for taskID

templateReference for template

template_idField for templateID

template_taskReference for templateTask

template_task_idField for templateTaskID

top_doc_obj_codeField for topDocObjCode

top_obj_idField for topObjID

unlink_documents(ids=None)The unlinkDocuments action.

Parameters ids – ids (type: string[])

Returns java.lang.Boolean

upload_documents(document_request_id=None, documents=None)The uploadDocuments action.

240 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

Parameters

• document_request_id – documentRequestID (type: string)

• documents – documents (type: string[])

Returns string[]

userReference for user

user_idField for userID

versionsCollection for versions

zip_document_versions()The zipDocumentVersions action.

Returns string

zip_documents(obj_code=None, obj_id=None)The zipDocuments action.

Parameters

• obj_code – objCode (type: string)

• obj_id – objID (type: string)

Returns string

zip_documents_versions(ids=None)The zipDocumentsVersions action.

Parameters ids – ids (type: string[])

Returns string

class workfront.versions.unsupported.DocumentApproval(session=None, **fields)Object for DOCAPL

approval_dateField for approvalDate

approverReference for approver

approver_idField for approverID

auto_document_shareReference for autoDocumentShare

auto_document_share_idField for autoDocumentShareID

customerReference for customer

customer_idField for customerID

documentReference for document

2.2. API Reference 241

python-workfront Documentation, Release 0.8.0

document_idField for documentID

noteReference for note

note_idField for noteID

notify_approver(id=None)The notifyApprover action.

Parameters id – ID (type: string)

request_dateField for requestDate

requestorReference for requestor

requestor_idField for requestorID

statusField for status

class workfront.versions.unsupported.DocumentFolder(session=None, **fields)Object for DOCFDR

accessor_idsField for accessorIDs

childrenCollection for children

customerReference for customer

customer_idField for customerID

delete_folders_and_contents(document_folder_id=None, obj_code=None, object_id=None)The deleteFoldersAndContents action.

Parameters

• document_folder_id – documentFolderID (type: string)

• obj_code – objCode (type: string)

• object_id – objectID (type: string)

Returns string

documentsCollection for documents

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

242 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

get_folder_size_in_bytes(folder_id=None, recursive=None, include_linked=None)The getFolderSizeInBytes action.

Parameters

• folder_id – folderID (type: string)

• recursive – recursive (type: boolean)

• include_linked – includeLinked (type: boolean)

Returns java.lang.Long

get_linked_folder_meta_data(linked_folder_id=None)The getLinkedFolderMetaData action.

Parameters linked_folder_id – linkedFolderID (type: string)

Returns string

is_linked_folder(document_folder_id=None)The isLinkedFolder action.

Parameters document_folder_id – documentFolderID (type: string)

Returns java.lang.Boolean

is_smart_folder(document_folder_id=None)The isSmartFolder action.

Parameters document_folder_id – documentFolderID (type: string)

Returns java.lang.Boolean

issueReference for issue

issue_idField for issueID

iterationReference for iteration

iteration_idField for iterationID

last_mod_dateField for lastModDate

linked_folderReference for linkedFolder

linked_folder_idField for linkedFolderID

nameField for name

parentReference for parent

parent_idField for parentID

portfolioReference for portfolio

2.2. API Reference 243

python-workfront Documentation, Release 0.8.0

portfolio_idField for portfolioID

programReference for program

program_idField for programID

projectReference for project

project_idField for projectID

refresh_linked_folder(linked_folder_id=None, obj_code=None, object_id=None)The refreshLinkedFolder action.

Parameters

• linked_folder_id – linkedFolderID (type: string)

• obj_code – objCode (type: string)

• object_id – objectID (type: string)

refresh_linked_folder_contents(linked_folder_id=None, obj_code=None, ob-ject_id=None)

The refreshLinkedFolderContents action.

Parameters

• linked_folder_id – linkedFolderID (type: string)

• obj_code – objCode (type: string)

• object_id – objectID (type: string)

refresh_linked_folder_meta_data(linked_folder_id=None)The refreshLinkedFolderMetaData action.

Parameters linked_folder_id – linkedFolderID (type: string)

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

send_folder_to_external_provider(folder_id=None, document_provider_id=None, par-ent_external_storage_id=None)

The sendFolderToExternalProvider action.

Parameters

• folder_id – folderID (type: string)

• document_provider_id – documentProviderID (type: string)

• parent_external_storage_id – parentExternalStorageID (type: string)

Returns string

taskReference for task

244 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

task_idField for taskID

templateReference for template

template_idField for templateID

template_taskReference for templateTask

template_task_idField for templateTaskID

unlink_folders(ids=None)The unlinkFolders action.

Parameters ids – ids (type: string[])

Returns java.lang.Boolean

userReference for user

user_idField for userID

class workfront.versions.unsupported.DocumentProvider(session=None, **fields)Object for DOCPRO

configurationField for configuration

customerReference for customer

customer_idField for customerID

doc_provider_configReference for docProviderConfig

doc_provider_config_idField for docProviderConfigID

entry_dateField for entryDate

external_integration_typeField for externalIntegrationType

get_all_type_provider_ids(external_integration_type=None, doc_provider_config_id=None)The getAllTypeProviderIDs action.

Parameters

• external_integration_type – externalIntegrationType (type: string)

• doc_provider_config_id – docProviderConfigID (type: string)

Returns string[]

get_provider_with_write_access(external_integration_type=None, config_id=None, exter-nal_folder_id=None)

The getProviderWithWriteAccess action.

2.2. API Reference 245

python-workfront Documentation, Release 0.8.0

Parameters

• external_integration_type – externalIntegrationType (type: string)

• config_id – configID (type: string)

• external_folder_id – externalFolderID (type: string)

Returns string

nameField for name

ownerReference for owner

owner_idField for ownerID

web_hook_expiration_dateField for webHookExpirationDate

class workfront.versions.unsupported.DocumentProviderConfig(session=None,**fields)

Object for DOCCFG

configurationField for configuration

customerReference for customer

customer_idField for customerID

external_integration_typeField for externalIntegrationType

hostField for host

is_activeField for isActive

nameField for name

class workfront.versions.unsupported.DocumentProviderMetadata(session=None,**fields)

Object for DOCMET

customerReference for customer

customer_idField for customerID

external_integration_typeField for externalIntegrationType

get_metadata_map_for_provider_type(external_integration_type=None)The getMetadataMapForProviderType action.

Parameters external_integration_type – externalIntegrationType (type: string)

Returns map

246 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

load_metadata_for_document(document_id=None, external_integration_type=None)The loadMetadataForDocument action.

Parameters

• document_id – documentID (type: string)

• external_integration_type – externalIntegrationType (type: string)

Returns map

mappingField for mapping

class workfront.versions.unsupported.DocumentRequest(session=None, **fields)Object for DOCREQ

accessor_idsField for accessorIDs

completion_dateField for completionDate

customerReference for customer

customer_idField for customerID

descriptionField for description

entry_dateField for entryDate

ext_ref_idField for extRefID

format_entry_dateField for formatEntryDate

iterationReference for iteration

iteration_idField for iterationID

master_taskReference for masterTask

master_task_idField for masterTaskID

op_taskReference for opTask

op_task_idField for opTaskID

portfolioReference for portfolio

portfolio_idField for portfolioID

2.2. API Reference 247

python-workfront Documentation, Release 0.8.0

programReference for program

program_idField for programID

projectReference for project

project_idField for projectID

ref_obj_codeField for refObjCode

ref_obj_idField for refObjID

requesteeReference for requestee

requestee_idField for requesteeID

requestorReference for requestor

requestor_idField for requestorID

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

statusField for status

taskReference for task

task_idField for taskID

templateReference for template

template_idField for templateID

template_taskReference for templateTask

template_task_idField for templateTaskID

userReference for user

user_idField for userID

248 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

class workfront.versions.unsupported.DocumentShare(session=None, **fields)Object for DOCSHR

accessor_idsField for accessorIDs

accessor_obj_codeField for accessorObjCode

accessor_obj_idField for accessorObjID

customerReference for customer

customer_idField for customerID

descriptionField for description

documentReference for document

document_idField for documentID

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

is_approverField for isApprover

is_downloadField for isDownload

is_prooferField for isProofer

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

notify_share(id=None)The notifyShare action.

Parameters id – ID (type: string)

pending_approvalReference for pendingApproval

roleReference for role

2.2. API Reference 249

python-workfront Documentation, Release 0.8.0

role_idField for roleID

teamReference for team

team_idField for teamID

userReference for user

user_idField for userID

class workfront.versions.unsupported.DocumentTaskStatus(session=None, **fields)Object for DOCTSK

customer_idField for customerID

document_version_idField for documentVersionID

file_pathField for filePath

service_nameField for serviceName

statusField for status

status_dateField for statusDate

task_infoField for taskInfo

user_idField for userID

class workfront.versions.unsupported.DocumentVersion(session=None, **fields)Object for DOCV

accessor_idsField for accessorIDs

add_document_version(document_version_bean=None)The addDocumentVersion action.

Parameters document_version_bean – documentVersionBean (type:DocumentVersion)

Returns string

advanced_proofing_optionsField for advancedProofingOptions

create_proofField for createProof

customerReference for customer

250 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

customer_idField for customerID

doc_sizeField for docSize

doc_statusField for docStatus

documentReference for document

document_idField for documentID

document_providerReference for documentProvider

document_provider_idField for documentProviderID

document_type_labelField for documentTypeLabel

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

extField for ext

external_download_urlField for externalDownloadURL

external_integration_typeField for externalIntegrationType

external_preview_urlField for externalPreviewURL

external_save_locationField for externalSaveLocation

external_storage_idField for externalStorageID

file_handle()The fileHandle action.

Returns string

file_nameField for fileName

file_typeField for fileType

format_doc_sizeField for formatDocSize

2.2. API Reference 251

python-workfront Documentation, Release 0.8.0

format_entry_dateField for formatEntryDate

handleField for handle

iconField for icon

is_proof_automatedField for isProofAutomated

is_proofableField for isProofable

locationField for location

proof_idField for proofID

proof_stage_idField for proofStageID

proof_statusField for proofStatus

proof_status_dateField for proofStatusDate

proof_status_msg_keyField for proofStatusMsgKey

public_file_handle(version_id=None, public_token=None)The publicFileHandle action.

Parameters

• version_id – versionID (type: string)

• public_token – publicToken (type: string)

Returns string

remove_document_version(document_version=None)The removeDocumentVersion action.

Parameters document_version – documentVersion (type: DocumentVersion)

versionField for version

virus_scanField for virusScan

virus_scan_timestampField for virusScanTimestamp

class workfront.versions.unsupported.Email(session=None, **fields)Object for EMAILC

obj_codeField for objCode

252 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

send_test_email(email_address=None, username=None, password=None, host=None,port=None, usessl=None)

The sendTestEmail action.

Parameters

• email_address – emailAddress (type: string)

• username – username (type: string)

• password – password (type: string)

• host – host (type: string)

• port – port (type: string)

• usessl – usessl (type: java.lang.Boolean)

Returns string

test_pop_account_settings(username=None, password=None, host=None, port=None,usessl=None)

The testPopAccountSettings action.

Parameters

• username – username (type: string)

• password – password (type: string)

• host – host (type: string)

• port – port (type: string)

• usessl – usessl (type: boolean)

Returns string

class workfront.versions.unsupported.EmailTemplate(session=None, **fields)Object for EMLTPL

contentField for content

customerReference for customer

customer_idField for customerID

descriptionField for description

get_email_subjects(customer_id=None, handler_name_map=None, obj_code=None,obj_id=None, event_type=None)

The getEmailSubjects action.

Parameters

• customer_id – customerID (type: string)

• handler_name_map – handlerNameMap (type: map)

• obj_code – objCode (type: string)

• obj_id – objID (type: string)

• event_type – eventType (type: string)

2.2. API Reference 253

python-workfront Documentation, Release 0.8.0

Returns map

get_help_desk_registration_email(user_id=None)The getHelpDeskRegistrationEmail action.

Parameters user_id – userID (type: string)

Returns string

get_user_invitation_email(user_id=None)The getUserInvitationEmail action.

Parameters user_id – userID (type: string)

Returns string

nameField for name

subjectField for subject

template_obj_codeField for templateObjCode

class workfront.versions.unsupported.Endorsement(session=None, **fields)Object for ENDR

customerReference for customer

customer_idField for customerID

descriptionField for description

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

get_liked_endorsement_ids(endorsement_ids=None)The getLikedEndorsementIDs action.

Parameters endorsement_ids – endorsementIDs (type: string[])

Returns string[]

has_repliesField for hasReplies

is_assigneeField for isAssignee

is_ownerField for isOwner

like()The like action.

254 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

num_likesField for numLikes

num_repliesField for numReplies

op_taskReference for opTask

op_task_idField for opTaskID

portfolioReference for portfolio

portfolio_idField for portfolioID

programReference for program

program_idField for programID

projectReference for project

project_idField for projectID

receiverReference for receiver

receiver_idField for receiverID

ref_obj_codeField for refObjCode

ref_obj_idField for refObjID

reference_object_nameField for referenceObjectName

repliesCollection for replies

roleReference for role

role_idField for roleID

sharesCollection for shares

sub_obj_codeField for subObjCode

sub_obj_idField for subObjID

2.2. API Reference 255

python-workfront Documentation, Release 0.8.0

sub_reference_object_nameField for subReferenceObjectName

taskReference for task

task_idField for taskID

top_obj_codeField for topObjCode

top_obj_idField for topObjID

top_reference_object_nameField for topReferenceObjectName

unlike()The unlike action.

class workfront.versions.unsupported.EndorsementShare(session=None, **fields)Object for ENDSHR

accessor_obj_codeField for accessorObjCode

accessor_obj_idField for accessorObjID

customerReference for customer

customer_idField for customerID

endorsementReference for endorsement

endorsement_idField for endorsementID

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

teamReference for team

256 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

team_idField for teamID

userReference for user

user_idField for userID

class workfront.versions.unsupported.EventHandler(session=None, **fields)Object for EVNTH

always_activeField for alwaysActive

app_eventsCollection for appEvents

custom_propertiesField for customProperties

customerReference for customer

customer_idField for customerID

descriptionField for description

description_keyField for descriptionKey

display_subject_valueField for displaySubjectValue

event_obj_codeField for eventObjCode

event_typesField for eventTypes

handler_propertiesField for handlerProperties

handler_typeField for handlerType

is_activeField for isActive

is_hiddenField for isHidden

is_system_handlerField for isSystemHandler

nameField for name

name_keyField for nameKey

2.2. API Reference 257

python-workfront Documentation, Release 0.8.0

reset_subjects_to_default(event_handler_ids=None)The resetSubjectsToDefault action.

Parameters event_handler_ids – eventHandlerIDs (type: string[])

Returns string[]

set_custom_subject(custom_subjects=None, custom_subject_properties=None)The setCustomSubject action.

Parameters

• custom_subjects – customSubjects (type: string[])

• custom_subject_properties – customSubjectProperties (type: string[])

Returns string

class workfront.versions.unsupported.EventSubscription(session=None, **fields)Object for EVTSUB

customerReference for customer

customer_idField for customerID

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

event_typeField for eventType

last_update_dateField for lastUpdateDate

notification_urlField for notificationURL

statusField for status

class workfront.versions.unsupported.ExchangeRate(session=None, **fields)Object for EXRATE

accessor_idsField for accessorIDs

currencyField for currency

customerReference for customer

customer_idField for customerID

ext_ref_idField for extRefID

258 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

projectReference for project

project_idField for projectID

rateField for rate

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

suggest_exchange_rate(base_currency=None, to_currency_code=None)The suggestExchangeRate action.

Parameters

• base_currency – baseCurrency (type: string)

• to_currency_code – toCurrencyCode (type: string)

Returns java.lang.Double

templateReference for template

template_idField for templateID

class workfront.versions.unsupported.Expense(session=None, **fields)Object for EXPNS

accessor_idsField for accessorIDs

actual_amountField for actualAmount

actual_unit_amountField for actualUnitAmount

billing_recordReference for billingRecord

billing_record_idField for billingRecordID

calculate_data_extension()The calculateDataExtension action.

categoryReference for category

category_idField for categoryID

customerReference for customer

customer_idField for customerID

2.2. API Reference 259

python-workfront Documentation, Release 0.8.0

descriptionField for description

effective_dateField for effectiveDate

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

exp_obj_codeField for expObjCode

expense_typeReference for expenseType

expense_type_idField for expenseTypeID

ext_ref_idField for extRefID

is_billableField for isBillable

is_reimbursableField for isReimbursable

is_reimbursedField for isReimbursed

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

master_taskReference for masterTask

master_task_idField for masterTaskID

move(obj_id=None, exp_obj_code=None)The move action.

Parameters

• obj_id – objID (type: string)

• exp_obj_code – expObjCode (type: string)

obj_idField for objID

object_categoriesCollection for objectCategories

260 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

parameter_valuesCollection for parameterValues

planned_amountField for plannedAmount

planned_dateField for plannedDate

planned_unit_amountField for plannedUnitAmount

projectReference for project

project_idField for projectID

reference_obj_codeField for referenceObjCode

reference_obj_idField for referenceObjID

reference_object_nameField for referenceObjectName

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

taskReference for task

task_idField for taskID

templateReference for template

template_idField for templateID

template_taskReference for templateTask

template_task_idField for templateTaskID

top_obj_codeField for topObjCode

top_obj_idField for topObjID

top_reference_obj_codeField for topReferenceObjCode

top_reference_obj_idField for topReferenceObjID

2.2. API Reference 261

python-workfront Documentation, Release 0.8.0

class workfront.versions.unsupported.ExpenseType(session=None, **fields)Object for EXPTYP

app_globalReference for appGlobal

app_global_idField for appGlobalID

customerReference for customer

customer_idField for customerID

descriptionField for description

description_keyField for descriptionKey

display_perField for displayPer

display_rate_unitField for displayRateUnit

ext_ref_idField for extRefID

has_reference(ids=None)The hasReference action.

Parameters ids – ids (type: string[])

Returns java.lang.Boolean

nameField for name

name_keyField for nameKey

obj_idField for objID

obj_obj_codeField for objObjCode

rateField for rate

rate_unitField for rateUnit

class workfront.versions.unsupported.ExternalDocument(session=None, **fields)Object for EXTDOC

allowed_actionsField for allowedActions

browse_list_with_link_action(provider_type=None, document_provider_id=None,search_params=None, link_action=None)

The browseListWithLinkAction action.

262 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

Parameters

• provider_type – providerType (type: string)

• document_provider_id – documentProviderID (type: string)

• search_params – searchParams (type: map)

• link_action – linkAction (type: string)

Returns map

date_modifiedField for dateModified

descriptionField for description

document_provider_idField for documentProviderID

download_urlField for downloadURL

extField for ext

file_typeField for fileType

get_authentication_url_for_provider(provider_type=None, docu-ment_provider_id=None, docu-ment_provider_config_id=None)

The getAuthenticationUrlForProvider action.

Parameters

• provider_type – providerType (type: string)

• document_provider_id – documentProviderID (type: string)

• document_provider_config_id – documentProviderConfigID (type: string)

Returns string

get_thumbnail_path(provider_type=None, provider_id=None, last_modified_date=None,id=None)

The getThumbnailPath action.

Parameters

• provider_type – providerType (type: string)

• provider_id – providerID (type: string)

• last_modified_date – lastModifiedDate (type: string)

• id – id (type: string)

Returns string

icon_urlField for iconURL

load_external_browse_location(provider_type=None, document_provider_id=None,link_action=None)

The loadExternalBrowseLocation action.

2.2. API Reference 263

python-workfront Documentation, Release 0.8.0

Parameters

• provider_type – providerType (type: string)

• document_provider_id – documentProviderID (type: string)

• link_action – linkAction (type: string)

Returns string[]

nameField for name

pathField for path

preview_urlField for previewURL

provider_typeField for providerType

read_onlyField for readOnly

save_external_browse_location(provider_type=None, document_provider_id=None,link_action=None, breadcrumb=None)

The saveExternalBrowseLocation action.

Parameters

• provider_type – providerType (type: string)

• document_provider_id – documentProviderID (type: string)

• link_action – linkAction (type: string)

• breadcrumb – breadcrumb (type: string)

show_external_thumbnails()The showExternalThumbnails action.

Returns java.lang.Boolean

sizeField for size

thumbnail_urlField for thumbnailURL

class workfront.versions.unsupported.ExternalSection(session=None, **fields)Object for EXTSEC

app_globalReference for appGlobal

app_global_idField for appGlobalID

calculate_url(external_section_id=None, obj_code=None, obj_id=None)The calculateURL action.

Parameters

• external_section_id – externalSectionID (type: string)

• obj_code – objCode (type: string)

264 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

• obj_id – objID (type: string)

Returns string

calculate_urls(external_section_ids=None, obj_code=None, obj_id=None)The calculateURLS action.

Parameters

• external_section_ids – externalSectionIDs (type: java.util.Collection)

• obj_code – objCode (type: string)

• obj_id – objID (type: string)

Returns map

calculated_urlField for calculatedURL

customerReference for customer

customer_idField for customerID

descriptionField for description

description_keyField for descriptionKey

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

ext_ref_idField for extRefID

frameField for frame

friendly_urlField for friendlyURL

global_uikeyField for globalUIKey

heightField for height

nameField for name

name_keyField for nameKey

obj_idField for objID

2.2. API Reference 265

python-workfront Documentation, Release 0.8.0

obj_interfaceField for objInterface

obj_obj_codeField for objObjCode

scrollingField for scrolling

urlField for url

viewReference for view

view_idField for viewID

class workfront.versions.unsupported.Favorite(session=None, **fields)Object for FVRITE

customerReference for customer

customer_idField for customerID

nameField for name

obj_idField for objID

obj_obj_codeField for objObjCode

update_favorite_name(name=None, favorite_id=None)The updateFavoriteName action.

Parameters

• name – name (type: string)

• favorite_id – favoriteID (type: string)

userReference for user

user_idField for userID

class workfront.versions.unsupported.Feature(session=None, **fields)Object for FEATR

app_globalReference for appGlobal

app_global_idField for appGlobalID

export()The export action.

Returns string

266 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

is_enabled(name=None)The isEnabled action.

Parameters name – name (type: string)

Returns java.lang.Boolean

jexl_expressionField for jexlExpression

jexl_updated_dateField for jexlUpdatedDate

nameField for name

old_jexl_expressionField for oldJexlExpression

override_for_session(name=None, value=None)The overrideForSession action.

Parameters

• name – name (type: string)

• value – value (type: boolean)

class workfront.versions.unsupported.FinancialData(session=None, **fields)Object for FINDAT

actual_expense_costField for actualExpenseCost

actual_fixed_revenueField for actualFixedRevenue

actual_labor_costField for actualLaborCost

actual_labor_cost_hoursField for actualLaborCostHours

actual_labor_revenueField for actualLaborRevenue

allocationdateField for allocationdate

customerReference for customer

customer_idField for customerID

fixed_costField for fixedCost

is_splitField for isSplit

planned_expense_costField for plannedExpenseCost

2.2. API Reference 267

python-workfront Documentation, Release 0.8.0

planned_fixed_revenueField for plannedFixedRevenue

planned_labor_costField for plannedLaborCost

planned_labor_cost_hoursField for plannedLaborCostHours

planned_labor_revenueField for plannedLaborRevenue

projectReference for project

project_idField for projectID

total_actual_costField for totalActualCost

total_actual_revenueField for totalActualRevenue

total_planned_costField for totalPlannedCost

total_planned_revenueField for totalPlannedRevenue

total_variance_costField for totalVarianceCost

total_variance_revenueField for totalVarianceRevenue

variance_expense_costField for varianceExpenseCost

variance_labor_costField for varianceLaborCost

variance_labor_cost_hoursField for varianceLaborCostHours

variance_labor_revenueField for varianceLaborRevenue

class workfront.versions.unsupported.Group(session=None, **fields)Object for GROUP

add_early_access(ids=None)The addEarlyAccess action.

Parameters ids – ids (type: string[])

check_delete(ids=None)The checkDelete action.

Parameters ids – ids (type: string[])

childrenCollection for children

268 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

customerReference for customer

customer_idField for customerID

default_interfaceField for defaultInterface

delete_early_access(ids=None)The deleteEarlyAccess action.

Parameters ids – ids (type: string[])

descriptionField for description

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

ext_ref_idField for extRefID

has_reference(ids=None)The hasReference action.

Parameters ids – ids (type: string[])

Returns java.lang.Boolean

nameField for name

parentReference for parent

parent_idField for parentID

replace_delete_groups(ids=None, replace_group_id=None)The replaceDeleteGroups action.

Parameters

• ids – ids (type: string[])

• replace_group_id – replaceGroupID (type: string)

user_groupsCollection for userGroups

class workfront.versions.unsupported.Hour(session=None, **fields)Object for HOUR

accessor_idsField for accessorIDs

actual_costField for actualCost

2.2. API Reference 269

python-workfront Documentation, Release 0.8.0

approve()The approve action.

approved_byReference for approvedBy

approved_by_idField for approvedByID

approved_on_dateField for approvedOnDate

billing_recordReference for billingRecord

billing_record_idField for billingRecordID

customerReference for customer

customer_idField for customerID

descriptionField for description

dup_idField for dupID

entry_dateField for entryDate

ext_ref_idField for extRefID

has_rate_overrideField for hasRateOverride

hour_typeReference for hourType

hour_type_idField for hourTypeID

hoursField for hours

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

op_taskReference for opTask

op_task_idField for opTaskID

270 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

ownerReference for owner

owner_idField for ownerID

projectReference for project

project_idField for projectID

project_overheadReference for projectOverhead

project_overhead_idField for projectOverheadID

reference_obj_codeField for referenceObjCode

reference_obj_idField for referenceObjID

resource_revenueField for resourceRevenue

roleReference for role

role_idField for roleID

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

statusField for status

taskReference for task

task_idField for taskID

timesheetReference for timesheet

timesheet_idField for timesheetID

unapprove()The unapprove action.

class workfront.versions.unsupported.HourType(session=None, **fields)Object for HOURT

app_globalReference for appGlobal

2.2. API Reference 271

python-workfront Documentation, Release 0.8.0

app_global_idField for appGlobalID

count_as_revenueField for countAsRevenue

customerReference for customer

customer_idField for customerID

descriptionField for description

description_keyField for descriptionKey

display_obj_obj_codeField for displayObjObjCode

ext_ref_idField for extRefID

has_reference(ids=None)The hasReference action.

Parameters ids – ids (type: string[])

Returns java.lang.Boolean

is_activeField for isActive

nameField for name

name_keyField for nameKey

obj_idField for objID

obj_obj_codeField for objObjCode

overhead_typeField for overheadType

scopeField for scope

timesheetprofilesCollection for timesheetprofiles

usersCollection for users

class workfront.versions.unsupported.IPRange(session=None, **fields)Object for IPRAGE

customerReference for customer

272 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

customer_idField for customerID

end_rangeField for endRange

start_rangeField for startRange

class workfront.versions.unsupported.ImportRow(session=None, **fields)Object for IROW

column_numberField for columnNumber

customerReference for customer

customer_idField for customerID

field_nameField for fieldName

import_templateReference for importTemplate

import_template_idField for importTemplateID

class workfront.versions.unsupported.ImportTemplate(session=None, **fields)Object for ITMPL

begin_at_rowField for beginAtRow

customerReference for customer

customer_idField for customerID

import_obj_codeField for importObjCode

import_rowsCollection for importRows

nameField for name

class workfront.versions.unsupported.InstalledDDItem(session=None, **fields)Object for IDDI

customerReference for customer

customer_idField for customerID

iddiobj_codeField for IDDIObjCode

2.2. API Reference 273

python-workfront Documentation, Release 0.8.0

name_keyField for nameKey

class workfront.versions.unsupported.Issue(session=None, **fields)Object for OPTASK

accept_work()The acceptWork action.

access_rulesCollection for accessRules

accessor_idsField for accessorIDs

actual_completion_dateField for actualCompletionDate

actual_costField for actualCost

actual_start_dateField for actualStartDate

actual_work_requiredField for actualWorkRequired

actual_work_required_expressionField for actualWorkRequiredExpression

add_comment(text)Add a comment to the current object containing the supplied text.

The new Comment instance is returned, it does not need to be saved.

age_range_as_stringField for ageRangeAsString

all_prioritiesCollection for allPriorities

all_severitiesCollection for allSeverities

all_statusesCollection for allStatuses

approval_est_start_dateField for approvalEstStartDate

approval_planned_start_dateField for approvalPlannedStartDate

approval_planned_start_dayField for approvalPlannedStartDay

approval_processReference for approvalProcess

approval_process_idField for approvalProcessID

approval_projected_start_dateField for approvalProjectedStartDate

274 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

approve_approval(user_id=None, username=None, password=None, audit_note=None, au-dit_user_ids=None, send_note_as_email=None)

The approveApproval action.

Parameters

• user_id – userID (type: string)

• username – username (type: string)

• password – password (type: string)

• audit_note – auditNote (type: string)

• audit_user_ids – auditUserIDs (type: string[])

• send_note_as_email – sendNoteAsEmail (type: boolean)

approver_statusesCollection for approverStatuses

approvers_stringField for approversString

assign(obj_id=None, obj_code=None)The assign action.

Parameters

• obj_id – objID (type: string)

• obj_code – objCode (type: string)

assign_multiple(user_ids=None, role_ids=None, team_id=None)The assignMultiple action.

Parameters

• user_ids – userIDs (type: string[])

• role_ids – roleIDs (type: string[])

• team_id – teamID (type: string)

assigned_toReference for assignedTo

assigned_to_idField for assignedToID

assignmentsCollection for assignments

audit_typesField for auditTypes

auto_closure_dateField for autoClosureDate

awaiting_approvalsCollection for awaitingApprovals

calculate_data_extension()The calculateDataExtension action.

can_startField for canStart

2.2. API Reference 275

python-workfront Documentation, Release 0.8.0

categoryReference for category

category_idField for categoryID

commit_dateField for commitDate

commit_date_rangeField for commitDateRange

conditionField for condition

convert_to_project(project=None, exchange_rate=None, options=None)The convertToProject action.

Parameters

• project – project (type: Project)

• exchange_rate – exchangeRate (type: ExchangeRate)

• options – options (type: string[])

Returns string

convert_to_task()Convert this issue to a task. The newly converted task will be returned, it does not need to be saved.

current_approval_stepReference for currentApprovalStep

current_approval_step_idField for currentApprovalStepID

current_status_durationField for currentStatusDuration

customerReference for customer

customer_idField for customerID

descriptionField for description

display_queue_breadcrumbField for displayQueueBreadcrumb

document_requestsCollection for documentRequests

documentsCollection for documents

done_statusesCollection for doneStatuses

due_dateField for dueDate

276 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

duration_minutesField for durationMinutes

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

ext_ref_idField for extRefID

first_responseField for firstResponse

has_documentsField for hasDocuments

has_messagesField for hasMessages

has_notesField for hasNotes

has_resolvablesField for hasResolvables

has_timed_notificationsField for hasTimedNotifications

hoursCollection for hours

how_oldField for howOld

is_completeField for isComplete

is_help_deskField for isHelpDesk

last_condition_noteReference for lastConditionNote

last_condition_note_idField for lastConditionNoteID

last_noteReference for lastNote

last_note_idField for lastNoteID

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

2.2. API Reference 277

python-workfront Documentation, Release 0.8.0

last_updated_by_idField for lastUpdatedByID

mark_done(status=None)The markDone action.

Parameters status – status (type: string)

mark_not_done(assignment_id=None)The markNotDone action.

Parameters assignment_id – assignmentID (type: string)

move(project_id=None)The move action.

Parameters project_id – projectID (type: string)

move_to_task(project_id=None, parent_id=None)The moveToTask action.

Parameters

• project_id – projectID (type: string)

• parent_id – parentID (type: string)

nameField for name

notification_recordsCollection for notificationRecords

number_of_childrenField for numberOfChildren

object_categoriesCollection for objectCategories

olvField for olv

op_task_typeField for opTaskType

op_task_type_labelField for opTaskTypeLabel

ownerReference for owner

owner_idField for ownerID

parameter_valuesCollection for parameterValues

parentReference for parent

planned_completion_dateField for plannedCompletionDate

planned_date_alignmentField for plannedDateAlignment

278 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

planned_duration_minutesField for plannedDurationMinutes

planned_hours_alignmentField for plannedHoursAlignment

planned_start_dateField for plannedStartDate

previous_statusField for previousStatus

primary_assignmentReference for primaryAssignment

priorityField for priority

projectReference for project

project_idField for projectID

projected_completion_dateField for projectedCompletionDate

projected_duration_minutesField for projectedDurationMinutes

projected_start_dateField for projectedStartDate

queue_topicReference for queueTopic

queue_topic_breadcrumbField for queueTopicBreadcrumb

queue_topic_idField for queueTopicID

recall_approval()The recallApproval action.

reference_numberField for referenceNumber

reference_obj_codeField for referenceObjCode

reference_obj_idField for referenceObjID

reject_approval(user_id=None, username=None, password=None, audit_note=None, au-dit_user_ids=None, send_note_as_email=None)

The rejectApproval action.

Parameters

• user_id – userID (type: string)

• username – username (type: string)

• password – password (type: string)

2.2. API Reference 279

python-workfront Documentation, Release 0.8.0

• audit_note – auditNote (type: string)

• audit_user_ids – auditUserIDs (type: string[])

• send_note_as_email – sendNoteAsEmail (type: boolean)

rejection_issueReference for rejectionIssue

rejection_issue_idField for rejectionIssueID

remaining_duration_minutesField for remainingDurationMinutes

reply_to_assignment(note_text=None, commit_date=None)The replyToAssignment action.

Parameters

• note_text – noteText (type: string)

• commit_date – commitDate (type: dateTime)

resolution_timeField for resolutionTime

resolvablesCollection for resolvables

resolve_op_taskReference for resolveOpTask

resolve_op_task_idField for resolveOpTaskID

resolve_projectReference for resolveProject

resolve_project_idField for resolveProjectID

resolve_taskReference for resolveTask

resolve_task_idField for resolveTaskID

resolving_obj_codeField for resolvingObjCode

resolving_obj_idField for resolvingObjID

roleReference for role

role_idField for roleID

security_ancestorsCollection for securityAncestors

security_ancestors_disabledField for securityAncestorsDisabled

280 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

severityField for severity

show_commit_dateField for showCommitDate

show_conditionField for showCondition

show_statusField for showStatus

source_obj_codeField for sourceObjCode

source_obj_idField for sourceObjID

source_taskReference for sourceTask

source_task_idField for sourceTaskID

statusField for status

status_updateField for statusUpdate

submitted_byReference for submittedBy

submitted_by_idField for submittedByID

teamReference for team

team_assignmentReference for teamAssignment

team_idField for teamID

timed_notifications(notification_ids=None)The timedNotifications action.

Parameters notification_ids – notificationIDs (type: string[])

unaccept_work()The unacceptWork action.

unassign(user_id=None)The unassign action.

Parameters user_id – userID (type: string)

2.2. API Reference 281

python-workfront Documentation, Release 0.8.0

updatesCollection for updates

urlField for url

versionField for version

work_itemReference for workItem

work_requiredField for workRequired

work_required_expressionField for workRequiredExpression

class workfront.versions.unsupported.Iteration(session=None, **fields)Object for ITRN

assign_iteration_to_descendants(task_ids=None, iteration_id=None)The assignIterationToDescendants action.

Parameters

• task_ids – taskIDs (type: string[])

• iteration_id – iterationID (type: string)

capacityField for capacity

categoryReference for category

category_idField for categoryID

customerReference for customer

customer_idField for customerID

document_requestsCollection for documentRequests

documentsCollection for documents

end_dateField for endDate

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

estimate_completedField for estimateCompleted

282 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

focus_factorField for focusFactor

goalField for goal

has_documentsField for hasDocuments

has_notesField for hasNotes

is_legacyField for isLegacy

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

legacy_burndown_info_with_percentage(iteration_id=None)The legacyBurndownInfoWithPercentage action.

Parameters iteration_id – iterationID (type: string)

Returns map

legacy_burndown_info_with_points(iteration_id=None)The legacyBurndownInfoWithPoints action.

Parameters iteration_id – iterationID (type: string)

Returns map

nameField for name

object_categoriesCollection for objectCategories

original_total_estimateField for originalTotalEstimate

ownerReference for owner

owner_idField for ownerID

parameter_valuesCollection for parameterValues

percent_completeField for percentComplete

start_dateField for startDate

statusField for status

2.2. API Reference 283

python-workfront Documentation, Release 0.8.0

target_percent_completeField for targetPercentComplete

task_idsField for taskIDs

teamReference for team

team_idField for teamID

total_estimateField for totalEstimate

urlField for URL

class workfront.versions.unsupported.JournalEntry(session=None, **fields)Object for JRNLE

accessor_idsField for accessorIDs

approver_statusReference for approverStatus

approver_status_idField for approverStatusID

assignmentReference for assignment

assignment_idField for assignmentID

audit_recordReference for auditRecord

audit_record_idField for auditRecordID

aux1Field for aux1

aux2Field for aux2

aux3Field for aux3

baselineReference for baseline

baseline_idField for baselineID

billing_recordReference for billingRecord

billing_record_idField for billingRecordID

284 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

change_typeField for changeType

customerReference for customer

customer_idField for customerID

documentReference for document

document_approvalReference for documentApproval

document_approval_idField for documentApprovalID

document_idField for documentID

document_shareReference for documentShare

document_share_idField for documentShareID

duration_minutesField for durationMinutes

edit_field_names(parameter_id=None, field_name=None)The editFieldNames action.

Parameters

• parameter_id – parameterID (type: string)

• field_name – fieldName (type: string)

Returns string[]

edited_byReference for editedBy

edited_by_idField for editedByID

entry_dateField for entryDate

expenseReference for expense

expense_idField for expenseID

ext_ref_idField for extRefID

field_nameField for fieldName

flagsField for flags

2.2. API Reference 285

python-workfront Documentation, Release 0.8.0

get_liked_journal_entry_ids(journal_entry_ids=None)The getLikedJournalEntryIDs action.

Parameters journal_entry_ids – journalEntryIDs (type: string[])

Returns string[]

hourReference for hour

hour_idField for hourID

like()The like action.

new_date_valField for newDateVal

new_number_valField for newNumberVal

new_text_valField for newTextVal

num_likesField for numLikes

num_repliesField for numReplies

obj_idField for objID

obj_obj_codeField for objObjCode

old_date_valField for oldDateVal

old_number_valField for oldNumberVal

old_text_valField for oldTextVal

op_taskReference for opTask

op_task_idField for opTaskID

portfolioReference for portfolio

portfolio_idField for portfolioID

programReference for program

program_idField for programID

286 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

projectReference for project

project_idField for projectID

reference_object_nameField for referenceObjectName

repliesCollection for replies

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

sub_obj_codeField for subObjCode

sub_obj_idField for subObjID

sub_reference_object_nameField for subReferenceObjectName

taskReference for task

task_idField for taskID

templateReference for template

template_idField for templateID

timesheetReference for timesheet

timesheet_idField for timesheetID

top_obj_codeField for topObjCode

top_obj_idField for topObjID

top_reference_object_nameField for topReferenceObjectName

unlike()The unlike action.

userReference for user

user_idField for userID

2.2. API Reference 287

python-workfront Documentation, Release 0.8.0

class workfront.versions.unsupported.JournalField(session=None, **fields)Object for JRNLF

actionField for action

customerReference for customer

customer_idField for customerID

display_nameField for displayName

ext_ref_idField for extRefID

field_nameField for fieldName

is_duration_enabledField for isDurationEnabled

migrate_wild_card_journal_fields()The migrateWildCardJournalFields action.

obj_obj_codeField for objObjCode

parameterReference for parameter

parameter_idField for parameterID

set_journal_fields_for_obj_code(obj_code=None, messages=None)The setJournalFieldsForObjCode action.

Parameters

• obj_code – objCode (type: string)

• messages – messages (type: com.attask.model.RKJournalField[])

Returns string[]

class workfront.versions.unsupported.KickStart(session=None, **fields)Object for KSS

import_kick_start(file_handle=None, file_type=None)The importKickStart action.

Parameters

• file_handle – fileHandle (type: string)

• file_type – fileType (type: string)

Returns map

obj_codeField for objCode

class workfront.versions.unsupported.LayoutTemplate(session=None, **fields)Object for LYTMPL

288 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

app_globalReference for appGlobal

app_global_idField for appGlobalID

clear_all_custom_tabs(reset_default_nav=None, reset_nav_items=None)The clearAllCustomTabs action.

Parameters

• reset_default_nav – resetDefaultNav (type: boolean)

• reset_nav_items – resetNavItems (type: boolean)

clear_all_user_custom_tabs(user_ids=None, reset_default_nav=None, re-set_nav_items=None)

The clearAllUserCustomTabs action.

Parameters

• user_ids – userIDs (type: java.util.Set)

• reset_default_nav – resetDefaultNav (type: boolean)

• reset_nav_items – resetNavItems (type: boolean)

clear_ppmigration_flag()The clearPPMigrationFlag action.

clear_user_custom_tabs(user_ids=None, reset_default_nav=None, reset_nav_items=None, lay-out_page_types=None)

The clearUserCustomTabs action.

Parameters

• user_ids – userIDs (type: java.util.Set)

• reset_default_nav – resetDefaultNav (type: boolean)

• reset_nav_items – resetNavItems (type: boolean)

• layout_page_types – layoutPageTypes (type: java.util.Set)

customerReference for customer

customer_idField for customerID

default_nav_itemField for defaultNavItem

descriptionField for description

description_keyField for descriptionKey

ext_ref_idField for extRefID

get_layout_template_cards_by_card_location(layout_template_id=None,card_location=None)

The getLayoutTemplateCardsByCardLocation action.

Parameters

2.2. API Reference 289

python-workfront Documentation, Release 0.8.0

• layout_template_id – layoutTemplateID (type: string)

• card_location – cardLocation (type: string)

Returns string[]

get_layout_template_users(layout_template_ids=None)The getLayoutTemplateUsers action.

Parameters layout_template_ids – layoutTemplateIDs (type: string[])

Returns string[]

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

layout_template_cardsCollection for layoutTemplateCards

layout_template_date_preferencesCollection for layoutTemplateDatePreferences

layout_template_pagesCollection for layoutTemplatePages

license_typeField for licenseType

linked_rolesCollection for linkedRoles

linked_teamsCollection for linkedTeams

linked_usersCollection for linkedUsers

migrate_portal_profile(portal_profile_ids=None)The migratePortalProfile action.

Parameters portal_profile_ids – portalProfileIDs (type: string[])

Returns map

nameField for name

name_keyField for nameKey

nav_barField for navBar

nav_itemsField for navItems

obj_idField for objID

290 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

obj_obj_codeField for objObjCode

ui_filtersCollection for uiFilters

ui_group_bysCollection for uiGroupBys

ui_viewsCollection for uiViews

class workfront.versions.unsupported.LayoutTemplateCard(session=None, **fields)Object for LTMPLC

card_locationField for cardLocation

card_typeField for cardType

custom_labelField for customLabel

customerReference for customer

customer_idField for customerID

data_typeField for dataType

display_orderField for displayOrder

field_nameField for fieldName

group_nameField for groupName

layout_templateReference for layoutTemplate

layout_template_idField for layoutTemplateID

parameter_idField for parameterID

class workfront.versions.unsupported.LayoutTemplateDatePreference(session=None,**fields)

Object for LTMPDP

card_locationField for cardLocation

card_typeField for cardType

customerReference for customer

2.2. API Reference 291

python-workfront Documentation, Release 0.8.0

customer_idField for customerID

date_preferenceField for datePreference

layout_templateReference for layoutTemplate

layout_template_idField for layoutTemplateID

class workfront.versions.unsupported.LayoutTemplatePage(session=None, **fields)Object for LTMPLP

customerReference for customer

customer_idField for customerID

layout_templateReference for layoutTemplate

layout_template_idField for layoutTemplateID

page_typeField for pageType

tabsField for tabs

class workfront.versions.unsupported.LicenseOrder(session=None, **fields)Object for LICEOR

customerReference for customer

customer_idField for customerID

descriptionField for description

exp_dateField for expDate

ext_ref_idField for extRefID

external_users_enabledField for externalUsersEnabled

full_usersField for fullUsers

is_apienabledField for isAPIEnabled

is_enterpriseField for isEnterprise

292 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

is_soapenabledField for isSOAPEnabled

limited_usersField for limitedUsers

order_dateField for orderDate

requestor_usersField for requestorUsers

review_usersField for reviewUsers

team_usersField for teamUsers

class workfront.versions.unsupported.Like(session=None, **fields)Object for LIKE

customerReference for customer

customer_idField for customerID

endorsementReference for endorsement

endorsement_idField for endorsementID

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

journal_entryReference for journalEntry

journal_entry_idField for journalEntryID

noteReference for note

note_idField for noteID

class workfront.versions.unsupported.LinkedFolder(session=None, **fields)Object for LNKFDR

customerReference for customer

customer_idField for customerID

2.2. API Reference 293

python-workfront Documentation, Release 0.8.0

document_providerReference for documentProvider

document_provider_idField for documentProviderID

external_integration_typeField for externalIntegrationType

external_storage_idField for externalStorageID

folderReference for folder

folder_idField for folderID

is_top_level_folderField for isTopLevelFolder

last_sync_dateField for lastSyncDate

linked_byReference for linkedBy

linked_by_idField for linkedByID

linked_dateField for linkedDate

class workfront.versions.unsupported.MasterTask(session=None, **fields)Object for MTSK

assigned_toReference for assignedTo

assigned_to_idField for assignedToID

assignmentsCollection for assignments

audit_typesField for auditTypes

billing_amountField for billingAmount

calculate_data_extension()The calculateDataExtension action.

categoryReference for category

category_idField for categoryID

cost_amountField for costAmount

294 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

cost_typeField for costType

customerReference for customer

customer_idField for customerID

descriptionField for description

document_requestsCollection for documentRequests

documentsCollection for documents

duration_minutesField for durationMinutes

duration_typeField for durationType

duration_unitField for durationUnit

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

expensesCollection for expenses

ext_ref_idField for extRefID

groupsCollection for groups

has_documentsField for hasDocuments

has_expensesField for hasExpenses

is_duration_lockedField for isDurationLocked

is_work_required_lockedField for isWorkRequiredLocked

last_noteReference for lastNote

last_note_idField for lastNoteID

2.2. API Reference 295

python-workfront Documentation, Release 0.8.0

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

milestoneReference for milestone

milestone_idField for milestoneID

nameField for name

notification_recordsCollection for notificationRecords

object_categoriesCollection for objectCategories

parameter_valuesCollection for parameterValues

planned_costField for plannedCost

planned_revenueField for plannedRevenue

priorityField for priority

revenue_typeField for revenueType

roleReference for role

role_idField for roleID

teamReference for team

team_assignmentReference for teamAssignment

team_idField for teamID

tracking_modeField for trackingMode

urlField for URL

work_requiredField for workRequired

296 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

class workfront.versions.unsupported.MessageArg(session=None, **fields)Object for MSGARG

allowed_actionsField for allowedActions

colorField for color

hrefField for href

objcodeField for objcode

objidField for objid

textField for text

typeField for type

class workfront.versions.unsupported.MetaRecord(session=None, **fields)Object for PRSTOBJ

actionsField for actions

bean_classnameField for beanClassname

classnameField for classname

common_display_orderField for commonDisplayOrder

external_actionsField for externalActions

is_aspField for isASP

is_commonField for isCommon

limit_non_view_externalField for limitNonViewExternal

limit_non_view_hdField for limitNonViewHD

limit_non_view_reviewField for limitNonViewReview

limit_non_view_teamField for limitNonViewTeam

limit_non_view_tsField for limitNonViewTS

2.2. API Reference 297

python-workfront Documentation, Release 0.8.0

limited_actionsField for limitedActions

message_keyField for messageKey

obj_codeField for objCode

pk_field_nameField for pkFieldName

pk_table_nameField for pkTableName

requestor_actionsField for requestorActions

review_actionsField for reviewActions

team_actionsField for teamActions

class workfront.versions.unsupported.Milestone(session=None, **fields)Object for MILE

colorField for color

customerReference for customer

customer_idField for customerID

descriptionField for description

ext_ref_idField for extRefID

milestone_pathReference for milestonePath

milestone_path_idField for milestonePathID

nameField for name

sequenceField for sequence

class workfront.versions.unsupported.MilestonePath(session=None, **fields)Object for MPATH

customerReference for customer

customer_idField for customerID

298 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

descriptionField for description

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

ext_ref_idField for extRefID

groupsCollection for groups

milestonesCollection for milestones

nameField for name

class workfront.versions.unsupported.MobileDevice(session=None, **fields)Object for MOBILDVC

device_tokenField for deviceToken

device_typeField for deviceType

endpointField for endpoint

userReference for user

class workfront.versions.unsupported.NonWorkDay(session=None, **fields)Object for NONWKD

customerReference for customer

customer_idField for customerID

non_work_dateField for nonWorkDate

obj_idField for objID

obj_obj_codeField for objObjCode

scheduleReference for schedule

schedule_dayField for scheduleDay

2.2. API Reference 299

python-workfront Documentation, Release 0.8.0

schedule_idField for scheduleID

userReference for user

user_idField for userID

class workfront.versions.unsupported.Note(session=None, **fields)Object for NOTE

accessor_idsField for accessorIDs

add_comment(text)Add a comment to this comment.

The new Comment instance is returned, it does not need to be saved.

add_note_to_objects(obj_ids=None, note_obj_code=None, note_text=None, is_private=None,email_users=None, tags=None)

The addNoteToObjects action.

Parameters

• obj_ids – objIDs (type: string[])

• note_obj_code – noteObjCode (type: string)

• note_text – noteText (type: string)

• is_private – isPrivate (type: boolean)

• email_users – emailUsers (type: boolean)

• tags – tags (type: java.lang.Object)

Returns string[]

attach_documentReference for attachDocument

attach_document_idField for attachDocumentID

attach_obj_codeField for attachObjCode

attach_obj_idField for attachObjID

attach_op_taskReference for attachOpTask

attach_op_task_idField for attachOpTaskID

attach_work_idField for attachWorkID

attach_work_nameField for attachWorkName

attach_work_obj_codeField for attachWorkObjCode

300 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

attach_work_userReference for attachWorkUser

attach_work_user_idField for attachWorkUserID

audit_recordReference for auditRecord

audit_record_idField for auditRecordID

audit_textField for auditText

audit_typeField for auditType

customerReference for customer

customer_idField for customerID

documentReference for document

document_idField for documentID

email_usersField for emailUsers

entry_dateField for entryDate

ext_ref_idField for extRefID

format_entry_dateField for formatEntryDate

get_liked_note_ids(note_ids=None)The getLikedNoteIDs action.

Parameters note_ids – noteIDs (type: string[])

Returns string[]

has_repliesField for hasReplies

indentField for indent

is_deletedField for isDeleted

is_messageField for isMessage

is_privateField for isPrivate

2.2. API Reference 301

python-workfront Documentation, Release 0.8.0

is_replyField for isReply

iterationReference for iteration

iteration_idField for iterationID

like()The like action.

note_obj_codeField for noteObjCode

note_textField for noteText

num_likesField for numLikes

num_repliesField for numReplies

obj_idField for objID

op_taskReference for opTask

op_task_idField for opTaskID

ownerReference for owner

owner_idField for ownerID

parent_endorsementReference for parentEndorsement

parent_endorsement_idField for parentEndorsementID

parent_journal_entryReference for parentJournalEntry

parent_journal_entry_idField for parentJournalEntryID

parent_noteReference for parentNote

parent_note_idField for parentNoteID

portfolioReference for portfolio

portfolio_idField for portfolioID

302 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

programReference for program

program_idField for programID

projectReference for project

project_idField for projectID

reference_object_nameField for referenceObjectName

repliesCollection for replies

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

subjectField for subject

tagsCollection for tags

taskReference for task

task_idField for taskID

templateReference for template

template_idField for templateID

template_taskReference for templateTask

template_task_idField for templateTaskID

thread_dateField for threadDate

thread_idField for threadID

timesheetReference for timesheet

timesheet_idField for timesheetID

top_note_obj_codeField for topNoteObjCode

2.2. API Reference 303

python-workfront Documentation, Release 0.8.0

top_obj_idField for topObjID

top_reference_object_nameField for topReferenceObjectName

unlike()The unlike action.

userReference for user

user_idField for userID

class workfront.versions.unsupported.NoteTag(session=None, **fields)Object for NTAG

customerReference for customer

customer_idField for customerID

lengthField for length

noteReference for note

note_idField for noteID

obj_idField for objID

obj_obj_codeField for objObjCode

reference_object_nameField for referenceObjectName

start_idxField for startIdx

teamReference for team

team_idField for teamID

userReference for user

user_idField for userID

class workfront.versions.unsupported.NotificationRecord(session=None, **fields)Object for TMNR

customerReference for customer

304 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

customer_idField for customerID

email_sent_dateField for emailSentDate

entry_dateField for entryDate

master_taskReference for masterTask

master_task_idField for masterTaskID

notification_obj_codeField for notificationObjCode

notification_obj_idField for notificationObjID

op_taskReference for opTask

op_task_idField for opTaskID

projectReference for project

project_idField for projectID

recipientsField for recipients

scheduled_dateField for scheduledDate

taskReference for task

task_idField for taskID

templateReference for template

template_idField for templateID

template_taskReference for templateTask

template_task_idField for templateTaskID

timed_notificationReference for timedNotification

timed_notification_idField for timedNotificationID

2.2. API Reference 305

python-workfront Documentation, Release 0.8.0

timesheetReference for timesheet

timesheet_idField for timesheetID

timesheet_profileReference for timesheetProfile

timesheet_profile_idField for timesheetProfileID

class workfront.versions.unsupported.ObjectCategory(session=None, **fields)Object for OBJCAT

categoryReference for category

category_idField for categoryID

category_orderField for categoryOrder

customerReference for customer

customer_idField for customerID

obj_idField for objID

obj_obj_codeField for objObjCode

class workfront.versions.unsupported.Parameter(session=None, **fields)Object for PARAM

customerReference for customer

customer_idField for customerID

data_typeField for dataType

descriptionField for description

display_sizeField for displaySize

display_typeField for displayType

ext_ref_idField for extRefID

format_constraintField for formatConstraint

306 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

is_requiredField for isRequired

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

nameField for name

parameter_optionsCollection for parameterOptions

class workfront.versions.unsupported.ParameterGroup(session=None, **fields)Object for PGRP

customerReference for customer

customer_idField for customerID

descriptionField for description

display_orderField for displayOrder

ext_ref_idField for extRefID

is_defaultField for isDefault

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

nameField for name

class workfront.versions.unsupported.ParameterOption(session=None, **fields)Object for POPT

customerReference for customer

customer_idField for customerID

display_orderField for displayOrder

2.2. API Reference 307

python-workfront Documentation, Release 0.8.0

ext_ref_idField for extRefID

is_defaultField for isDefault

is_hiddenField for isHidden

labelField for label

parameterReference for parameter

parameter_idField for parameterID

valueField for value

class workfront.versions.unsupported.ParameterValue(session=None, **fields)Object for PVAL

companyReference for company

company_idField for companyID

customerReference for customer

customer_idField for customerID

date_valField for dateVal

documentReference for document

document_idField for documentID

expenseReference for expense

expense_idField for expenseID

interation_idField for interationID

iterationReference for iteration

master_taskReference for masterTask

master_task_idField for masterTaskID

308 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

number_valField for numberVal

obj_idField for objID

obj_obj_codeField for objObjCode

op_taskReference for opTask

op_task_idField for opTaskID

parameterReference for parameter

parameter_idField for parameterID

parameter_nameField for parameterName

portfolioReference for portfolio

portfolio_idField for portfolioID

programReference for program

program_idField for programID

projectReference for project

project_idField for projectID

taskReference for task

task_idField for taskID

templateReference for template

template_idField for templateID

template_taskReference for templateTask

template_task_idField for templateTaskID

text_valField for textVal

2.2. API Reference 309

python-workfront Documentation, Release 0.8.0

userReference for user

user_idField for userID

class workfront.versions.unsupported.PopAccount(session=None, **fields)Object for POPA

customerReference for customer

customer_idField for customerID

entry_dateField for entryDate

pop_disabledField for popDisabled

pop_enforce_sslField for popEnforceSSL

pop_errorsField for popErrors

pop_passwordField for popPassword

pop_portField for popPort

pop_serverField for popServer

pop_userField for popUser

projectReference for project

project_idField for projectID

class workfront.versions.unsupported.PortalProfile(session=None, **fields)Object for PTLPFL

app_globalReference for appGlobal

app_global_idField for appGlobalID

custom_menusCollection for customMenus

custom_tabsCollection for customTabs

customerReference for customer

310 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

customer_idField for customerID

descriptionField for description

description_keyField for descriptionKey

ext_ref_idField for extRefID

nameField for name

name_keyField for nameKey

obj_idField for objID

obj_obj_codeField for objObjCode

portal_sectionsCollection for portalSections

portal_tabsCollection for portalTabs

ui_filtersCollection for uiFilters

ui_group_bysCollection for uiGroupBys

ui_viewsCollection for uiViews

class workfront.versions.unsupported.PortalSection(session=None, **fields)Object for PTLSEC

access_rulesCollection for accessRules

accessor_idsField for accessorIDs

app_globalReference for appGlobal

app_global_idField for appGlobalID

controller_classField for controllerClass

currencyField for currency

customerReference for customer

2.2. API Reference 311

python-workfront Documentation, Release 0.8.0

customer_idField for customerID

default_tabField for defaultTab

definitionField for definition

descriptionField for description

description_keyField for descriptionKey

enable_prompt_securityField for enablePromptSecurity

entered_byReference for enteredBy

entered_by_idField for enteredByID

ext_ref_idField for extRefID

filterReference for filter

filter_controlField for filterControl

filter_idField for filterID

folder_nameField for folderName

force_loadField for forceLoad

get_pk(obj_code=None)The getPK action.

Parameters obj_code – objCode (type: string)

Returns string

get_report_from_cache(background_job_id=None)The getReportFromCache action.

Parameters background_job_id – backgroundJobID (type: string)

Returns map

global_uikeyField for globalUIKey

group_byReference for groupBy

group_by_idField for groupByID

312 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

group_controlField for groupControl

is_app_global_copiableField for isAppGlobalCopiable

is_app_global_editableField for isAppGlobalEditable

is_new_formatField for isNewFormat

is_publicField for isPublic

is_reportField for isReport

is_report_filterable(query_class_obj_code=None, obj_code=None, obj_id=None)The isReportFilterable action.

Parameters

• query_class_obj_code – queryClassObjCode (type: string)

• obj_code – objCode (type: string)

• obj_id – objID (type: string)

Returns java.lang.Boolean

is_standaloneField for isStandalone

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

link_customer()The linkCustomer action.

linked_rolesCollection for linkedRoles

linked_teamsCollection for linkedTeams

linked_usersCollection for linkedUsers

max_resultsField for maxResults

method_nameField for methodName

migrate_portal_sections_ppmto_anaconda()The migratePortalSectionsPPMToAnaconda action.

2.2. API Reference 313

python-workfront Documentation, Release 0.8.0

mod_dateField for modDate

nameField for name

name_keyField for nameKey

obj_idField for objID

obj_interfaceField for objInterface

obj_obj_codeField for objObjCode

portal_tab_sectionsCollection for portalTabSections

preferenceReference for preference

preference_idField for preferenceID

public_run_as_userReference for publicRunAsUser

public_run_as_user_idField for publicRunAsUserID

public_tokenField for publicToken

report_folderReference for reportFolder

report_folder_idField for reportFolderID

report_typeField for reportType

run_as_userReference for runAsUser

run_as_user_idField for runAsUserID

scheduled_reportReference for scheduledReport

scheduled_report_idField for scheduledReportID

scheduled_reportsCollection for scheduledReports

security_ancestorsCollection for securityAncestors

314 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

security_ancestors_disabledField for securityAncestorsDisabled

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

send_now()The sendNow action.

show_promptsField for showPrompts

sort_byField for sortBy

sort_by2Field for sortBy2

sort_by3Field for sortBy3

sort_typeField for sortType

sort_type2Field for sortType2

sort_type3Field for sortType3

special_viewField for specialView

tool_barField for toolBar

ui_obj_codeField for uiObjCode

unlink_customer()The unlinkCustomer action.

viewReference for view

view_controlField for viewControl

view_idField for viewID

widthField for width

class workfront.versions.unsupported.PortalTab(session=None, **fields)Object for PTLTAB

access_rulesCollection for accessRules

2.2. API Reference 315

python-workfront Documentation, Release 0.8.0

accessor_idsField for accessorIDs

advanced_copy(new_name=None, advanced_copies=None)The advancedCopy action.

Parameters

• new_name – newName (type: string)

• advanced_copies – advancedCopies (type: map)

Returns string

customerReference for customer

customer_idField for customerID

descriptionField for description

display_orderField for displayOrder

doc_idField for docID

export_dashboard(dashboard_exports=None, dashboard_export_options=None)The exportDashboard action.

Parameters

• dashboard_exports – dashboardExports (type: string[])

• dashboard_export_options – dashboardExportOptions (type: map)

Returns map

ext_ref_idField for extRefID

is_publicField for isPublic

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

linked_rolesCollection for linkedRoles

linked_teamsCollection for linkedTeams

linked_usersCollection for linkedUsers

migrate_custom_tab_user_prefs(user_ids=None)The migrateCustomTabUserPrefs action.

316 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

Parameters user_ids – userIDs (type: string[])

nameField for name

name_keyField for nameKey

portal_profileReference for portalProfile

portal_profile_idField for portalProfileID

portal_tab_sectionsCollection for portalTabSections

tabnameField for tabname

userReference for user

user_idField for userID

class workfront.versions.unsupported.PortalTabSection(session=None, **fields)Object for PRTBSC

areaField for area

calendar_portal_sectionReference for calendarPortalSection

calendar_portal_section_idField for calendarPortalSectionID

customerReference for customer

customer_idField for customerID

display_orderField for displayOrder

external_sectionReference for externalSection

external_section_idField for externalSectionID

internal_sectionReference for internalSection

internal_section_idField for internalSectionID

portal_section_obj_codeField for portalSectionObjCode

portal_section_obj_idField for portalSectionObjID

2.2. API Reference 317

python-workfront Documentation, Release 0.8.0

portal_tabReference for portalTab

portal_tab_idField for portalTabID

class workfront.versions.unsupported.Portfolio(session=None, **fields)Object for PORT

access_rulesCollection for accessRules

accessor_idsField for accessorIDs

alignedField for aligned

alignment_score_cardReference for alignmentScoreCard

alignment_score_card_idField for alignmentScoreCardID

audit_typesField for auditTypes

budgetField for budget

calculate_data_extension()The calculateDataExtension action.

categoryReference for category

category_idField for categoryID

currencyField for currency

customerReference for customer

customer_idField for customerID

descriptionField for description

document_requestsCollection for documentRequests

documentsCollection for documents

entered_byReference for enteredBy

entered_by_idField for enteredByID

318 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

entry_dateField for entryDate

ext_ref_idField for extRefID

groupsCollection for groups

has_documentsField for hasDocuments

has_messagesField for hasMessages

has_notesField for hasNotes

is_activeField for isActive

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

nameField for name

net_valueField for netValue

object_categoriesCollection for objectCategories

on_budgetField for onBudget

on_timeField for onTime

ownerReference for owner

owner_idField for ownerID

parameter_valuesCollection for parameterValues

programsCollection for programs

projectsCollection for projects

roiField for roi

2.2. API Reference 319

python-workfront Documentation, Release 0.8.0

class workfront.versions.unsupported.Predecessor(session=None, **fields)Object for PRED

customerReference for customer

customer_idField for customerID

is_cpField for isCP

is_enforcedField for isEnforced

lag_daysField for lagDays

lag_typeField for lagType

predecessorReference for predecessor

predecessor_idField for predecessorID

predecessor_typeField for predecessorType

successorReference for successor

successor_idField for successorID

class workfront.versions.unsupported.Preference(session=None, **fields)Object for PROSET

app_globalReference for appGlobal

app_global_idField for appGlobalID

customerReference for customer

customer_idField for customerID

valueField for value

class workfront.versions.unsupported.Program(session=None, **fields)Object for PRGM

access_rulesCollection for accessRules

accessor_idsField for accessorIDs

320 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

audit_typesField for auditTypes

calculate_data_extension()The calculateDataExtension action.

categoryReference for category

category_idField for categoryID

customerReference for customer

customer_idField for customerID

descriptionField for description

document_requestsCollection for documentRequests

documentsCollection for documents

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

ext_ref_idField for extRefID

has_documentsField for hasDocuments

has_messagesField for hasMessages

has_notesField for hasNotes

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

move(portfolio_id=None, options=None)The move action.

Parameters

• portfolio_id – portfolioID (type: string)

• options – options (type: string[])

2.2. API Reference 321

python-workfront Documentation, Release 0.8.0

nameField for name

object_categoriesCollection for objectCategories

ownerReference for owner

owner_idField for ownerID

parameter_valuesCollection for parameterValues

portfolioReference for portfolio

portfolio_idField for portfolioID

projectsCollection for projects

security_ancestorsCollection for securityAncestors

security_ancestors_disabledField for securityAncestorsDisabled

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

class workfront.versions.unsupported.Project(session=None, **fields)Object for PROJ

access_rulesCollection for accessRules

accessor_idsField for accessorIDs

actual_benefitField for actualBenefit

actual_completion_dateField for actualCompletionDate

actual_costField for actualCost

actual_duration_expressionField for actualDurationExpression

actual_duration_minutesField for actualDurationMinutes

actual_expense_costField for actualExpenseCost

322 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

actual_hours_last_monthField for actualHoursLastMonth

actual_hours_last_three_monthsField for actualHoursLastThreeMonths

actual_hours_this_monthField for actualHoursThisMonth

actual_hours_two_months_agoField for actualHoursTwoMonthsAgo

actual_labor_costField for actualLaborCost

actual_revenueField for actualRevenue

actual_risk_costField for actualRiskCost

actual_start_dateField for actualStartDate

actual_valueField for actualValue

actual_work_requiredField for actualWorkRequired

actual_work_required_expressionField for actualWorkRequiredExpression

alignmentField for alignment

alignment_score_cardReference for alignmentScoreCard

alignment_score_card_idField for alignmentScoreCardID

alignment_valuesCollection for alignmentValues

all_approved_hoursField for allApprovedHours

all_hoursCollection for allHours

all_prioritiesCollection for allPriorities

all_statusesCollection for allStatuses

all_unapproved_hoursField for allUnapprovedHours

approval_est_start_dateField for approvalEstStartDate

2.2. API Reference 323

python-workfront Documentation, Release 0.8.0

approval_planned_start_dateField for approvalPlannedStartDate

approval_planned_start_dayField for approvalPlannedStartDay

approval_processReference for approvalProcess

approval_process_idField for approvalProcessID

approval_projected_start_dateField for approvalProjectedStartDate

approve_approval(user_id=None, approval_username=None, approval_password=None, au-dit_note=None, audit_user_ids=None, send_note_as_email=None)

The approveApproval action.

Parameters

• user_id – userID (type: string)

• approval_username – approvalUsername (type: string)

• approval_password – approvalPassword (type: string)

• audit_note – auditNote (type: string)

• audit_user_ids – auditUserIDs (type: string[])

• send_note_as_email – sendNoteAsEmail (type: boolean)

approver_statusesCollection for approverStatuses

approvers_stringField for approversString

async_delete(projects_to_delete=None, force=None)The asyncDelete action.

Parameters

• projects_to_delete – projectsToDelete (type: string[])

• force – force (type: boolean)

Returns string

attach_template(template_id=None, predecessor_task_id=None, parent_task_id=None, ex-clude_template_task_ids=None, options=None)

The attachTemplate action.

Parameters

• template_id – templateID (type: string)

• predecessor_task_id – predecessorTaskID (type: string)

• parent_task_id – parentTaskID (type: string)

• exclude_template_task_ids – excludeTemplateTaskIDs (type: string[])

• options – options (type: string[])

Returns string

324 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

attach_template_with_parameter_values(project=None, template_id=None, predeces-sor_task_id=None, parent_task_id=None, ex-clude_template_task_ids=None, options=None)

The attachTemplateWithParameterValues action.

Parameters

• project – project (type: Project)

• template_id – templateID (type: string)

• predecessor_task_id – predecessorTaskID (type: string)

• parent_task_id – parentTaskID (type: string)

• exclude_template_task_ids – excludeTemplateTaskIDs (type: string[])

• options – options (type: string[])

Returns string

audit_typesField for auditTypes

auto_baseline_recur_onField for autoBaselineRecurOn

auto_baseline_recurrence_typeField for autoBaselineRecurrenceType

awaiting_approvalsCollection for awaitingApprovals

baselinesCollection for baselines

bccompletion_stateField for BCCompletionState

billed_revenueField for billedRevenue

billing_recordsCollection for billingRecords

budgetField for budget

budget_statusField for budgetStatus

budgeted_completion_dateField for budgetedCompletionDate

budgeted_costField for budgetedCost

budgeted_hoursField for budgetedHours

budgeted_labor_costField for budgetedLaborCost

budgeted_start_dateField for budgetedStartDate

2.2. API Reference 325

python-workfront Documentation, Release 0.8.0

business_case_status_labelField for businessCaseStatusLabel

calculate_data_extension()The calculateDataExtension action.

calculate_finance()The calculateFinance action.

calculate_project_score_values(type=None)The calculateProjectScoreValues action.

Parameters type – type (type: com.attask.common.constants.ScoreCardTypeEnum)

calculate_timeline()The calculateTimeline action.

categoryReference for category

category_idField for categoryID

companyReference for company

company_idField for companyID

completion_typeField for completionType

conditionField for condition

condition_typeField for conditionType

converted_op_task_entry_dateField for convertedOpTaskEntryDate

converted_op_task_nameField for convertedOpTaskName

converted_op_task_originatorReference for convertedOpTaskOriginator

converted_op_task_originator_idField for convertedOpTaskOriginatorID

cpiField for cpi

create_project_with_override(project=None, exchange_rate=None)The createProjectWithOverride action.

Parameters

• project – project (type: Project)

• exchange_rate – exchangeRate (type: ExchangeRate)

Returns string

326 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

csiField for csi

currencyField for currency

current_approval_stepReference for currentApprovalStep

current_approval_step_idField for currentApprovalStepID

customerReference for customer

customer_idField for customerID

default_baselineReference for defaultBaseline

default_forbidden_contribute_actionsField for defaultForbiddenContributeActions

default_forbidden_manage_actionsField for defaultForbiddenManageActions

default_forbidden_view_actionsField for defaultForbiddenViewActions

deliverable_score_cardReference for deliverableScoreCard

deliverable_score_card_idField for deliverableScoreCardID

deliverable_success_scoreField for deliverableSuccessScore

deliverable_success_score_ratioField for deliverableSuccessScoreRatio

deliverable_valuesCollection for deliverableValues

descriptionField for description

display_orderField for displayOrder

document_requestsCollection for documentRequests

documentsCollection for documents

duration_expressionField for durationExpression

duration_minutesField for durationMinutes

2.2. API Reference 327

python-workfront Documentation, Release 0.8.0

eacField for eac

eac_calculation_methodField for eacCalculationMethod

enable_auto_baselinesField for enableAutoBaselines

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

est_completion_dateField for estCompletionDate

est_start_dateField for estStartDate

exchange_rateReference for exchangeRate

exchange_ratesCollection for exchangeRates

expensesCollection for expenses

export_as_msproject_file()The exportAsMSProjectFile action.

Returns string

export_business_case()The exportBusinessCase action.

Returns string

ext_ref_idField for extRefID

filter_hour_typesField for filterHourTypes

finance_last_update_dateField for financeLastUpdateDate

fixed_costField for fixedCost

fixed_end_dateField for fixedEndDate

fixed_revenueField for fixedRevenue

fixed_start_dateField for fixedStartDate

328 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

get_help_desk_user_can_add_issue()The getHelpDeskUserCanAddIssue action.

Returns java.lang.Boolean

get_project_currency()The getProjectCurrency action.

Returns string

groupReference for group

group_idField for groupID

has_budget_conflictField for hasBudgetConflict

has_calc_errorField for hasCalcError

has_completion_constraintField for hasCompletionConstraint

has_documentsField for hasDocuments

has_expensesField for hasExpenses

has_messagesField for hasMessages

has_notesField for hasNotes

has_rate_overrideField for hasRateOverride

has_resolvablesField for hasResolvables

has_start_constraintField for hasStartConstraint

has_timed_notificationsField for hasTimedNotifications

has_timeline_exceptionField for hasTimelineException

hour_typesCollection for hourTypes

hoursCollection for hours

import_msproject_file(file_handle=None, project_name=None)The importMSProjectFile action.

Parameters

• file_handle – fileHandle (type: string)

2.2. API Reference 329

python-workfront Documentation, Release 0.8.0

• project_name – projectName (type: string)

Returns string

is_project_deadField for isProjectDead

is_status_completeField for isStatusComplete

last_calc_dateField for lastCalcDate

last_condition_noteReference for lastConditionNote

last_condition_note_idField for lastConditionNoteID

last_noteReference for lastNote

last_note_idField for lastNoteID

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

leveling_modeField for levelingMode

lucid_migration_dateField for lucidMigrationDate

milestone_pathReference for milestonePath

milestone_path_idField for milestonePathID

nameField for name

next_auto_baseline_dateField for nextAutoBaselineDate

notification_recordsCollection for notificationRecords

number_open_op_tasksField for numberOpenOpTasks

object_categoriesCollection for objectCategories

olvField for olv

330 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

open_op_tasksCollection for openOpTasks

optimization_scoreField for optimizationScore

ownerReference for owner

owner_idField for ownerID

owner_privilegesField for ownerPrivileges

parameter_valuesCollection for parameterValues

pending_calculationField for pendingCalculation

pending_update_methodsField for pendingUpdateMethods

percent_completeField for percentComplete

performance_index_methodField for performanceIndexMethod

personalField for personal

planned_benefitField for plannedBenefit

planned_completion_dateField for plannedCompletionDate

planned_costField for plannedCost

planned_date_alignmentField for plannedDateAlignment

planned_expense_costField for plannedExpenseCost

planned_hours_alignmentField for plannedHoursAlignment

planned_labor_costField for plannedLaborCost

planned_revenueField for plannedRevenue

planned_risk_costField for plannedRiskCost

planned_start_dateField for plannedStartDate

2.2. API Reference 331

python-workfront Documentation, Release 0.8.0

planned_valueField for plannedValue

pop_accountReference for popAccount

pop_account_idField for popAccountID

portfolioReference for portfolio

portfolio_idField for portfolioID

portfolio_priorityField for portfolioPriority

previous_statusField for previousStatus

priorityField for priority

programReference for program

program_idField for programID

progress_statusField for progressStatus

projectReference for project

project_user_rolesCollection for projectUserRoles

project_usersCollection for projectUsers

projected_completion_dateField for projectedCompletionDate

projected_start_dateField for projectedStartDate

queue_defReference for queueDef

queue_def_idField for queueDefID

ratesCollection for rates

recall_approval()The recallApproval action.

reference_numberField for referenceNumber

332 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

reject_approval(user_id=None, approval_username=None, approval_password=None, au-dit_note=None, audit_user_ids=None, send_note_as_email=None)

The rejectApproval action.

Parameters

• user_id – userID (type: string)

• approval_username – approvalUsername (type: string)

• approval_password – approvalPassword (type: string)

• audit_note – auditNote (type: string)

• audit_user_ids – auditUserIDs (type: string[])

• send_note_as_email – sendNoteAsEmail (type: boolean)

rejection_issueReference for rejectionIssue

rejection_issue_idField for rejectionIssueID

remaining_costField for remainingCost

remaining_revenueField for remainingRevenue

remaining_risk_costField for remainingRiskCost

remove_users_from_project(user_ids=None)The removeUsersFromProject action.

Parameters user_ids – userIDs (type: string[])

resolvablesCollection for resolvables

resource_allocationsCollection for resourceAllocations

resource_poolReference for resourcePool

resource_pool_idField for resourcePoolID

riskField for risk

risk_performance_indexField for riskPerformanceIndex

risksCollection for risks

roiField for roi

rolesCollection for roles

2.2. API Reference 333

python-workfront Documentation, Release 0.8.0

routing_rulesCollection for routingRules

save_project_as_template(template_name=None, exclude_ids=None, options=None)The saveProjectAsTemplate action.

Parameters

• template_name – templateName (type: string)

• exclude_ids – excludeIDs (type: string[])

• options – options (type: string[])

Returns string

scheduleReference for schedule

schedule_idField for scheduleID

schedule_modeField for scheduleMode

security_ancestorsCollection for securityAncestors

security_ancestors_disabledField for securityAncestorsDisabled

selected_on_portfolio_optimizerField for selectedOnPortfolioOptimizer

set_budget_to_schedule()The setBudgetToSchedule action.

sharing_settingsReference for sharingSettings

show_conditionField for showCondition

show_statusField for showStatus

spiField for spi

sponsorReference for sponsor

sponsor_idField for sponsorID

statusField for status

status_updateField for statusUpdate

submitted_byReference for submittedBy

334 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

submitted_by_idField for submittedByID

summary_completion_typeField for summaryCompletionType

tasksCollection for tasks

teamReference for team

team_idField for teamID

templateReference for template

template_idField for templateID

timeline_exception_infoField for timelineExceptionInfo

total_hoursField for totalHours

total_op_task_countField for totalOpTaskCount

total_task_countField for totalTaskCount

update_typeField for updateType

updatesCollection for updates

urlField for URL

versionField for version

work_requiredField for workRequired

work_required_expressionField for workRequiredExpression

class workfront.versions.unsupported.ProjectUser(session=None, **fields)Object for PRTU

customerReference for customer

customer_idField for customerID

projectReference for project

2.2. API Reference 335

python-workfront Documentation, Release 0.8.0

project_idField for projectID

userReference for user

user_idField for userID

class workfront.versions.unsupported.ProjectUserRole(session=None, **fields)Object for PTEAM

customerReference for customer

customer_idField for customerID

projectReference for project

project_idField for projectID

roleReference for role

role_idField for roleID

userReference for user

user_idField for userID

class workfront.versions.unsupported.QueueDef(session=None, **fields)Object for QUED

accessor_idsField for accessorIDs

add_op_task_styleField for addOpTaskStyle

allowed_legacy_queue_topic_idsField for allowedLegacyQueueTopicIDs

allowed_op_task_typesField for allowedOpTaskTypes

allowed_queue_topic_idsField for allowedQueueTopicIDs

customerReference for customer

customer_idField for customerID

default_approval_processReference for defaultApprovalProcess

336 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

default_approval_process_idField for defaultApprovalProcessID

default_categoryReference for defaultCategory

default_category_idField for defaultCategoryID

default_duration_expressionField for defaultDurationExpression

default_duration_minutesField for defaultDurationMinutes

default_duration_unitField for defaultDurationUnit

default_routeReference for defaultRoute

default_route_idField for defaultRouteID

default_topic_group_idField for defaultTopicGroupID

ext_ref_idField for extRefID

has_queue_topicsField for hasQueueTopics

is_publicField for isPublic

object_categoriesCollection for objectCategories

projectReference for project

project_idField for projectID

queue_topicsCollection for queueTopics

requestor_core_actionField for requestorCoreAction

requestor_forbidden_actionsField for requestorForbiddenActions

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

share_modeField for shareMode

2.2. API Reference 337

python-workfront Documentation, Release 0.8.0

templateReference for template

template_idField for templateID

visible_op_task_fieldsField for visibleOpTaskFields

class workfront.versions.unsupported.QueueTopic(session=None, **fields)Object for QUET

accessor_idsField for accessorIDs

allowed_op_task_typesField for allowedOpTaskTypes

allowed_op_task_types_pretty_printField for allowedOpTaskTypesPrettyPrint

customerReference for customer

customer_idField for customerID

default_approval_processReference for defaultApprovalProcess

default_approval_process_idField for defaultApprovalProcessID

default_categoryReference for defaultCategory

default_category_idField for defaultCategoryID

default_durationField for defaultDuration

default_duration_expressionField for defaultDurationExpression

default_duration_minutesField for defaultDurationMinutes

default_duration_unitField for defaultDurationUnit

default_routeReference for defaultRoute

default_route_idField for defaultRouteID

descriptionField for description

ext_ref_idField for extRefID

338 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

indented_nameField for indentedName

nameField for name

object_categoriesCollection for objectCategories

parent_topicReference for parentTopic

parent_topic_groupReference for parentTopicGroup

parent_topic_group_idField for parentTopicGroupID

parent_topic_idField for parentTopicID

queue_defReference for queueDef

queue_def_idField for queueDefID

class workfront.versions.unsupported.QueueTopicGroup(session=None, **fields)Object for QUETGP

accessor_idsField for accessorIDs

associated_topicsField for associatedTopics

customerReference for customer

customer_idField for customerID

descriptionField for description

nameField for name

parentReference for parent

parent_idField for parentID

queue_defReference for queueDef

queue_def_idField for queueDefID

queue_topic_groupsCollection for queueTopicGroups

2.2. API Reference 339

python-workfront Documentation, Release 0.8.0

queue_topicsCollection for queueTopics

class workfront.versions.unsupported.Rate(session=None, **fields)Object for RATE

accessor_idsField for accessorIDs

companyReference for company

company_idField for companyID

customerReference for customer

customer_idField for customerID

ext_ref_idField for extRefID

projectReference for project

project_idField for projectID

rate_valueField for rateValue

roleReference for role

role_idField for roleID

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

templateReference for template

template_idField for templateID

class workfront.versions.unsupported.Recent(session=None, **fields)Object for RECENT

customerReference for customer

customer_idField for customerID

last_viewed_dateField for lastViewedDate

340 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

nameField for name

obj_idField for objID

obj_obj_codeField for objObjCode

update_last_viewed_object()The updateLastViewedObject action.

Returns string

userReference for user

user_idField for userID

class workfront.versions.unsupported.RecentMenuItem(session=None, **fields)Object for RECENTMENUITEM

allowed_actionsField for allowedActions

bulk_delete_recent(obj_code=None, obj_ids=None)The bulkDeleteRecent action.

Parameters

• obj_code – objCode (type: string)

• obj_ids – objIDs (type: string[])

date_addedField for dateAdded

delete_recent(obj_code=None, obj_id=None)The deleteRecent action.

Parameters

• obj_code – objCode (type: string)

• obj_id – objID (type: string)

nameField for name

obj_idField for objID

obj_obj_codeField for objObjCode

recent_item_stringField for recentItemString

rotate_recent_menu(obj_code=None, obj_id=None)The rotateRecentMenu action.

Parameters

• obj_code – objCode (type: string)

2.2. API Reference 341

python-workfront Documentation, Release 0.8.0

• obj_id – objID (type: string)

class workfront.versions.unsupported.RecentUpdate(session=None, **fields)Object for RUPDTE

author_idField for authorID

author_nameField for authorName

customerReference for customer

customer_idField for customerID

entry_dateField for entryDate

is_privateField for isPrivate

issue_idField for issueID

issue_nameField for issueName

iteration_idField for iterationID

iteration_nameField for iterationName

last_updated_on_dateField for lastUpdatedOnDate

latest_commentField for latestComment

latest_comment_author_idField for latestCommentAuthorID

latest_comment_author_nameField for latestCommentAuthorName

latest_comment_entry_dateField for latestCommentEntryDate

latest_comment_idField for latestCommentID

number_of_commentsField for numberOfComments

project_idField for projectID

project_nameField for projectName

task_idField for taskID

342 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

task_nameField for taskName

team_idField for teamID

thread_idField for threadID

updateField for update

update_idField for updateID

user_idField for userID

class workfront.versions.unsupported.RecurrenceRule(session=None, **fields)Object for RECR

customerReference for customer

customer_idField for customerID

duration_expressionField for durationExpression

duration_minutesField for durationMinutes

duration_unitField for durationUnit

end_dateField for endDate

recur_onField for recurOn

recurrence_countField for recurrenceCount

recurrence_intervalField for recurrenceInterval

recurrence_typeField for recurrenceType

scheduleReference for schedule

schedule_idField for scheduleID

start_dateField for startDate

taskReference for task

2.2. API Reference 343

python-workfront Documentation, Release 0.8.0

task_idField for taskID

template_taskReference for templateTask

template_task_idField for templateTaskID

use_end_dateField for useEndDate

class workfront.versions.unsupported.ReportFolder(session=None, **fields)Object for RPTFDR

customerReference for customer

customer_idField for customerID

nameField for name

class workfront.versions.unsupported.Reseller(session=None, **fields)Object for RSELR

account_repsCollection for accountReps

addressField for address

address2Field for address2

cityField for city

countryField for country

descriptionField for description

emailField for email

ext_ref_idField for extRefID

is_activeField for isActive

nameField for name

phone_numberField for phoneNumber

postal_codeField for postalCode

344 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

stateField for state

class workfront.versions.unsupported.ReservedTime(session=None, **fields)Object for RESVT

customerReference for customer

customer_idField for customerID

end_dateField for endDate

start_dateField for startDate

taskReference for task

task_idField for taskID

userReference for user

user_idField for userID

class workfront.versions.unsupported.ResourceAllocation(session=None, **fields)Object for RSALLO

accessor_idsField for accessorIDs

allocation_dateField for allocationDate

budgeted_hoursField for budgetedHours

customerReference for customer

customer_idField for customerID

is_splitField for isSplit

obj_idField for objID

obj_obj_codeField for objObjCode

projectReference for project

project_idField for projectID

2.2. API Reference 345

python-workfront Documentation, Release 0.8.0

projected_scheduled_hoursField for projectedScheduledHours

resource_poolReference for resourcePool

resource_pool_idField for resourcePoolID

roleReference for role

role_idField for roleID

scheduled_hoursField for scheduledHours

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

class workfront.versions.unsupported.ResourcePool(session=None, **fields)Object for RSPOOL

customerReference for customer

customer_idField for customerID

descriptionField for description

display_orderField for displayOrder

ext_ref_idField for extRefID

nameField for name

resource_allocationsCollection for resourceAllocations

rolesCollection for roles

usersCollection for users

class workfront.versions.unsupported.Risk(session=None, **fields)Object for RISK

accessor_idsField for accessorIDs

actual_costField for actualCost

346 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

customerReference for customer

customer_idField for customerID

descriptionField for description

estimated_effectField for estimatedEffect

ext_ref_idField for extRefID

mitigation_costField for mitigationCost

mitigation_descriptionField for mitigationDescription

probabilityField for probability

projectReference for project

project_idField for projectID

risk_typeReference for riskType

risk_type_idField for riskTypeID

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

statusField for status

templateReference for template

template_idField for templateID

class workfront.versions.unsupported.RiskType(session=None, **fields)Object for RSKTYP

customerReference for customer

customer_idField for customerID

descriptionField for description

2.2. API Reference 347

python-workfront Documentation, Release 0.8.0

ext_ref_idField for extRefID

has_reference(ids=None)The hasReference action.

Parameters ids – ids (type: string[])

Returns java.lang.Boolean

nameField for name

class workfront.versions.unsupported.Role(session=None, **fields)Object for ROLE

add_early_access(ids=None)The addEarlyAccess action.

Parameters ids – ids (type: string[])

billing_per_hourField for billingPerHour

cost_per_hourField for costPerHour

customerReference for customer

customer_idField for customerID

default_interfaceField for defaultInterface

delete_early_access(ids=None)The deleteEarlyAccess action.

Parameters ids – ids (type: string[])

descriptionField for description

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

ext_ref_idField for extRefID

has_reference(ids=None)The hasReference action.

Parameters ids – ids (type: string[])

Returns java.lang.Boolean

layout_templateReference for layoutTemplate

348 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

layout_template_idField for layoutTemplateID

max_usersField for maxUsers

nameField for name

class workfront.versions.unsupported.RoutingRule(session=None, **fields)Object for RRUL

accessor_idsField for accessorIDs

customerReference for customer

customer_idField for customerID

default_assigned_toReference for defaultAssignedTo

default_assigned_to_idField for defaultAssignedToID

default_projectReference for defaultProject

default_project_idField for defaultProjectID

default_roleReference for defaultRole

default_role_idField for defaultRoleID

default_teamReference for defaultTeam

default_team_idField for defaultTeamID

descriptionField for description

nameField for name

projectReference for project

project_idField for projectID

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

2.2. API Reference 349

python-workfront Documentation, Release 0.8.0

templateReference for template

template_idField for templateID

class workfront.versions.unsupported.S3Migration(session=None, **fields)Object for S3MT

customerReference for customer

customer_idField for customerID

migration_dateField for migrationDate

statusField for status

class workfront.versions.unsupported.SSOMapping(session=None, **fields)Object for SSOMAP

attask_attributeField for attaskAttribute

customerReference for customer

customer_idField for customerID

default_attributeField for defaultAttribute

has_mapping_rulesField for hasMappingRules

mapping_rulesCollection for mappingRules

override_attributeField for overrideAttribute

remote_attributeField for remoteAttribute

sso_option_idField for ssoOptionID

class workfront.versions.unsupported.SSOMappingRule(session=None, **fields)Object for SSOMR

attask_attributeField for attaskAttribute

customerReference for customer

customer_idField for customerID

350 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

matching_ruleField for matchingRule

remote_attributeField for remoteAttribute

sso_mapping_idField for ssoMappingID

class workfront.versions.unsupported.SSOOption(session=None, **fields)Object for SSOPT

active_directory_domainField for activeDirectoryDomain

authentication_typeField for authenticationType

binding_typeField for bindingType

certificateField for certificate

change_password_urlField for changePasswordURL

customerReference for customer

customer_idField for customerID

exclude_usersField for excludeUsers

hosted_entity_idField for hostedEntityID

is_admin_back_door_access_allowedField for isAdminBackDoorAccessAllowed

provider_portField for providerPort

provider_urlField for providerURL

provision_usersField for provisionUsers

remote_entity_idField for remoteEntityID

require_sslconnectionField for requireSSLConnection

search_attributeField for searchAttribute

search_baseField for searchBase

2.2. API Reference 351

python-workfront Documentation, Release 0.8.0

signout_urlField for signoutURL

sso_mappingsCollection for ssoMappings

ssoenabledField for SSOEnabled

trusted_domainField for trustedDomain

upload_saml2metadata(handle=None)The uploadSAML2Metadata action.

Parameters handle – handle (type: string)

Returns string

upload_ssocertificate(handle=None)The uploadSSOCertificate action.

Parameters handle – handle (type: string)

class workfront.versions.unsupported.SSOUsername(session=None, **fields)Object for SSOUSR

customer_idField for customerID

nameField for name

user_idField for userID

class workfront.versions.unsupported.SandboxMigration(session=None, **fields)Object for SNDMG

cancel_scheduled_migration()The cancelScheduledMigration action.

customerReference for customer

customer_idField for customerID

domainField for domain

end_dateField for endDate

last_refresh_dateField for lastRefreshDate

last_refresh_durationField for lastRefreshDuration

migrate_now()The migrateNow action.

migration_estimate()The migrationEstimate action.

352 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

Returns map

migration_queue_duration()The migrationQueueDuration action.

Returns java.lang.Integer

notifiedField for notified

sandbox_typeField for sandboxType

schedule_dateField for scheduleDate

schedule_migration(schedule_date=None)The scheduleMigration action.

Parameters schedule_date – scheduleDate (type: dateTime)

start_dateField for startDate

statusField for status

userReference for user

user_idField for userID

class workfront.versions.unsupported.Schedule(session=None, **fields)Object for SCHED

customerReference for customer

customer_idField for customerID

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

ext_ref_idField for extRefID

fridayField for friday

get_earliest_work_time_of_day(date=None)The getEarliestWorkTimeOfDay action.

Parameters date – date (type: dateTime)

Returns dateTime

2.2. API Reference 353

python-workfront Documentation, Release 0.8.0

get_latest_work_time_of_day(date=None)The getLatestWorkTimeOfDay action.

Parameters date – date (type: dateTime)

Returns dateTime

get_next_completion_date(date=None, cost_in_minutes=None)The getNextCompletionDate action.

Parameters

• date – date (type: dateTime)

• cost_in_minutes – costInMinutes (type: int)

Returns dateTime

get_next_start_date(date=None)The getNextStartDate action.

Parameters date – date (type: dateTime)

Returns dateTime

groupReference for group

group_idField for groupID

has_non_work_daysField for hasNonWorkDays

has_reference(ids=None)The hasReference action.

Parameters ids – ids (type: string[])

Returns java.lang.Boolean

is_defaultField for isDefault

mondayField for monday

nameField for name

non_work_daysCollection for nonWorkDays

other_groupsCollection for otherGroups

saturdayField for saturday

sundayField for sunday

thursdayField for thursday

354 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

time_zoneField for timeZone

tuesdayField for tuesday

wednesdayField for wednesday

class workfront.versions.unsupported.ScheduledReport(session=None, **fields)Object for SCHREP

customerReference for customer

customer_idField for customerID

descriptionField for description

entered_byReference for enteredBy

entered_by_idField for enteredByID

external_emailsField for externalEmails

formatField for format

group_idsField for groupIDs

groupsCollection for groups

last_runtime_millisecondsField for lastRuntimeMilliseconds

last_sent_dateField for lastSentDate

nameField for name

page_sizeField for pageSize

portal_sectionReference for portalSection

portal_section_idField for portalSectionID

recipientsField for recipients

recurrence_ruleField for recurrenceRule

2.2. API Reference 355

python-workfront Documentation, Release 0.8.0

role_idsField for roleIDs

rolesCollection for roles

run_as_userReference for runAsUser

run_as_user_idField for runAsUserID

run_as_user_type_aheadField for runAsUserTypeAhead

sched_timeField for schedTime

scheduleField for schedule

schedule_startField for scheduleStart

send_report_delivery_now(user_ids=None, team_ids=None, group_ids=None, role_ids=None,external_emails=None, delivery_options=None)

The sendReportDeliveryNow action.

Parameters

• user_ids – userIDs (type: string[])

• team_ids – teamIDs (type: string[])

• group_ids – groupIDs (type: string[])

• role_ids – roleIDs (type: string[])

• external_emails – externalEmails (type: string)

• delivery_options – deliveryOptions (type: map)

Returns java.lang.Integer

start_dateField for startDate

team_idsField for teamIDs

teamsCollection for teams

ui_obj_codeField for uiObjCode

ui_obj_idField for uiObjID

user_idsField for userIDs

usersCollection for users

356 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

class workfront.versions.unsupported.ScoreCard(session=None, **fields)Object for SCORE

accessor_idsField for accessorIDs

customerReference for customer

customer_idField for customerID

descriptionField for description

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

ext_ref_idField for extRefID

is_publicField for isPublic

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

nameField for name

obj_idField for objID

obj_obj_codeField for objObjCode

projectReference for project

project_idField for projectID

score_card_questionsCollection for scoreCardQuestions

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

2.2. API Reference 357

python-workfront Documentation, Release 0.8.0

templateReference for template

template_idField for templateID

class workfront.versions.unsupported.ScoreCardAnswer(session=None, **fields)Object for SCANS

customerReference for customer

customer_idField for customerID

number_valField for numberVal

obj_idField for objID

obj_obj_codeField for objObjCode

projectReference for project

project_idField for projectID

score_cardReference for scoreCard

score_card_idField for scoreCardID

score_card_optionReference for scoreCardOption

score_card_option_idField for scoreCardOptionID

score_card_questionReference for scoreCardQuestion

score_card_question_idField for scoreCardQuestionID

templateReference for template

template_idField for templateID

typeField for type

class workfront.versions.unsupported.ScoreCardOption(session=None, **fields)Object for SCOPT

customerReference for customer

358 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

customer_idField for customerID

display_orderField for displayOrder

is_defaultField for isDefault

is_hiddenField for isHidden

labelField for label

score_card_questionReference for scoreCardQuestion

score_card_question_idField for scoreCardQuestionID

valueField for value

class workfront.versions.unsupported.ScoreCardQuestion(session=None, **fields)Object for SCOREQ

customerReference for customer

customer_idField for customerID

descriptionField for description

display_orderField for displayOrder

display_typeField for displayType

nameField for name

score_cardReference for scoreCard

score_card_idField for scoreCardID

score_card_optionsCollection for scoreCardOptions

weightField for weight

class workfront.versions.unsupported.SearchEvent(session=None, **fields)Object for SRCEVT

customer_idField for customerID

2.2. API Reference 359

python-workfront Documentation, Release 0.8.0

entry_dateField for entryDate

event_obj_codeField for eventObjCode

event_typeField for eventType

obj_idsField for objIDs

class workfront.versions.unsupported.SecurityAncestor(session=None, **fields)Object for SECANC

ancestor_idField for ancestorID

ancestor_obj_codeField for ancestorObjCode

customerReference for customer

customer_idField for customerID

ref_obj_codeField for refObjCode

ref_obj_idField for refObjID

class workfront.versions.unsupported.Sequence(session=None, **fields)Object for SEQ

customerReference for customer

customer_idField for customerID

seq_nameField for seqName

seq_valueField for seqValue

class workfront.versions.unsupported.SharingSettings(session=None, **fields)Object for SHRSET

accessor_idsField for accessorIDs

customerReference for customer

customer_idField for customerID

op_task_assignment_core_actionField for opTaskAssignmentCoreAction

360 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

op_task_assignment_project_core_actionField for opTaskAssignmentProjectCoreAction

op_task_assignment_project_secondary_actionsField for opTaskAssignmentProjectSecondaryActions

op_task_assignment_secondary_actionsField for opTaskAssignmentSecondaryActions

projectReference for project

project_idField for projectID

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

task_assignment_core_actionField for taskAssignmentCoreAction

task_assignment_project_core_actionField for taskAssignmentProjectCoreAction

task_assignment_project_secondary_actionsField for taskAssignmentProjectSecondaryActions

task_assignment_secondary_actionsField for taskAssignmentSecondaryActions

templateReference for template

template_idField for templateID

class workfront.versions.unsupported.StepApprover(session=None, **fields)Object for SPAPVR

approval_stepReference for approvalStep

approval_step_idField for approvalStepID

customerReference for customer

customer_idField for customerID

roleReference for role

role_idField for roleID

teamReference for team

2.2. API Reference 361

python-workfront Documentation, Release 0.8.0

team_idField for teamID

userReference for user

user_idField for userID

wild_cardField for wildCard

class workfront.versions.unsupported.Task(session=None, **fields)Object for TASK

accept_work()The acceptWork action.

access_rulesCollection for accessRules

accessor_idsField for accessorIDs

actual_completion_dateField for actualCompletionDate

actual_costField for actualCost

actual_durationField for actualDuration

actual_duration_minutesField for actualDurationMinutes

actual_expense_costField for actualExpenseCost

actual_labor_costField for actualLaborCost

actual_revenueField for actualRevenue

actual_start_dateField for actualStartDate

actual_workField for actualWork

actual_work_requiredField for actualWorkRequired

add_comment(text)Add a comment to the current object containing the supplied text.

The new Comment instance is returned, it does not need to be saved.

all_prioritiesCollection for allPriorities

all_statusesCollection for allStatuses

362 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

approval_est_start_dateField for approvalEstStartDate

approval_planned_start_dateField for approvalPlannedStartDate

approval_planned_start_dayField for approvalPlannedStartDay

approval_processReference for approvalProcess

approval_process_idField for approvalProcessID

approval_projected_start_dateField for approvalProjectedStartDate

approve_approval(user_id=None, username=None, password=None, audit_note=None, au-dit_user_ids=None, send_note_as_email=None)

The approveApproval action.

Parameters

• user_id – userID (type: string)

• username – username (type: string)

• password – password (type: string)

• audit_note – auditNote (type: string)

• audit_user_ids – auditUserIDs (type: string[])

• send_note_as_email – sendNoteAsEmail (type: boolean)

approver_statusesCollection for approverStatuses

approvers_stringField for approversString

assign(obj_id=None, obj_code=None)The assign action.

Parameters

• obj_id – objID (type: string)

• obj_code – objCode (type: string)

assign_multiple(user_ids=None, role_ids=None, team_id=None)The assignMultiple action.

Parameters

• user_ids – userIDs (type: string[])

• role_ids – roleIDs (type: string[])

• team_id – teamID (type: string)

assigned_toReference for assignedTo

assigned_to_idField for assignedToID

2.2. API Reference 363

python-workfront Documentation, Release 0.8.0

assignmentsCollection for assignments

assignments_list_stringField for assignmentsListString

audit_noteField for auditNote

audit_typesField for auditTypes

audit_user_idsField for auditUserIDs

awaiting_approvalsCollection for awaitingApprovals

backlog_orderField for backlogOrder

billing_amountField for billingAmount

billing_recordReference for billingRecord

billing_record_idField for billingRecordID

bulk_copy(task_ids=None, project_id=None, parent_id=None, options=None)The bulkCopy action.

Parameters

• task_ids – taskIDs (type: string[])

• project_id – projectID (type: string)

• parent_id – parentID (type: string)

• options – options (type: string[])

Returns string[]

bulk_move(task_ids=None, project_id=None, parent_id=None, options=None)The bulkMove action.

Parameters

• task_ids – taskIDs (type: string[])

• project_id – projectID (type: string)

• parent_id – parentID (type: string)

• options – options (type: string[])

calculate_data_extension()The calculateDataExtension action.

calculate_data_extensions(ids=None)The calculateDataExtensions action.

Parameters ids – ids (type: string[])

364 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

can_startField for canStart

categoryReference for category

category_idField for categoryID

childrenCollection for children

colorField for color

commit_dateField for commitDate

commit_date_rangeField for commitDateRange

completion_pending_dateField for completionPendingDate

conditionField for condition

constraint_dateField for constraintDate

convert_to_project(project=None, exchange_rate=None)The convertToProject action.

Parameters

• project – project (type: Project)

• exchange_rate – exchangeRate (type: ExchangeRate)

Returns string

converted_op_task_entry_dateField for convertedOpTaskEntryDate

converted_op_task_nameField for convertedOpTaskName

converted_op_task_originatorReference for convertedOpTaskOriginator

converted_op_task_originator_idField for convertedOpTaskOriginatorID

cost_amountField for costAmount

cost_typeField for costType

cpiField for cpi

csiField for csi

2.2. API Reference 365

python-workfront Documentation, Release 0.8.0

current_approval_stepReference for currentApprovalStep

current_approval_step_idField for currentApprovalStepID

customerReference for customer

customer_idField for customerID

days_lateField for daysLate

default_baseline_taskReference for defaultBaselineTask

descriptionField for description

document_requestsCollection for documentRequests

documentsCollection for documents

done_statusesCollection for doneStatuses

due_dateField for dueDate

durationField for duration

duration_expressionField for durationExpression

duration_minutesField for durationMinutes

duration_typeField for durationType

duration_unitField for durationUnit

eacField for eac

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

est_completion_dateField for estCompletionDate

366 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

est_start_dateField for estStartDate

estimateField for estimate

expensesCollection for expenses

ext_ref_idField for extRefID

groupReference for group

group_idField for groupID

handoff_dateField for handoffDate

has_completion_constraintField for hasCompletionConstraint

has_documentsField for hasDocuments

has_expensesField for hasExpenses

has_messagesField for hasMessages

has_notesField for hasNotes

has_resolvablesField for hasResolvables

has_start_constraintField for hasStartConstraint

has_timed_notificationsField for hasTimedNotifications

hoursCollection for hours

hours_per_pointField for hoursPerPoint

indentField for indent

is_agileField for isAgile

is_criticalField for isCritical

is_duration_lockedField for isDurationLocked

2.2. API Reference 367

python-workfront Documentation, Release 0.8.0

is_leveling_excludedField for isLevelingExcluded

is_readyField for isReady

is_status_completeField for isStatusComplete

is_work_required_lockedField for isWorkRequiredLocked

iterationReference for iteration

iteration_idField for iterationID

last_condition_noteReference for lastConditionNote

last_condition_note_idField for lastConditionNoteID

last_noteReference for lastNote

last_note_idField for lastNoteID

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

leveling_start_delayField for levelingStartDelay

leveling_start_delay_expressionField for levelingStartDelayExpression

leveling_start_delay_minutesField for levelingStartDelayMinutes

mark_done(status=None)The markDone action.

Parameters status – status (type: string)

mark_not_done(assignment_id=None)The markNotDone action.

Parameters assignment_id – assignmentID (type: string)

master_taskReference for masterTask

master_task_idField for masterTaskID

368 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

milestoneReference for milestone

milestone_idField for milestoneID

move(project_id=None, parent_id=None, options=None)The move action.

Parameters

• project_id – projectID (type: string)

• parent_id – parentID (type: string)

• options – options (type: string[])

nameField for name

notification_recordsCollection for notificationRecords

number_of_childrenField for numberOfChildren

number_open_op_tasksField for numberOpenOpTasks

object_categoriesCollection for objectCategories

olvField for olv

op_tasksCollection for opTasks

open_op_tasksCollection for openOpTasks

original_durationField for originalDuration

original_work_requiredField for originalWorkRequired

parameter_valuesCollection for parameterValues

parentReference for parent

parent_idField for parentID

parent_lagField for parentLag

parent_lag_typeField for parentLagType

pending_calculationField for pendingCalculation

2.2. API Reference 369

python-workfront Documentation, Release 0.8.0

pending_predecessorsField for pendingPredecessors

pending_update_methodsField for pendingUpdateMethods

percent_completeField for percentComplete

personalField for personal

planned_completion_dateField for plannedCompletionDate

planned_costField for plannedCost

planned_date_alignmentField for plannedDateAlignment

planned_durationField for plannedDuration

planned_duration_minutesField for plannedDurationMinutes

planned_expense_costField for plannedExpenseCost

planned_hours_alignmentField for plannedHoursAlignment

planned_labor_costField for plannedLaborCost

planned_revenueField for plannedRevenue

planned_start_dateField for plannedStartDate

predecessor_expressionField for predecessorExpression

predecessorsCollection for predecessors

previous_statusField for previousStatus

primary_assignmentReference for primaryAssignment

priorityField for priority

progress_statusField for progressStatus

projectReference for project

370 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

project_idField for projectID

projected_completion_dateField for projectedCompletionDate

projected_duration_minutesField for projectedDurationMinutes

projected_start_dateField for projectedStartDate

recall_approval()The recallApproval action.

recurrence_numberField for recurrenceNumber

recurrence_ruleReference for recurrenceRule

recurrence_rule_idField for recurrenceRuleID

reference_numberField for referenceNumber

reject_approval(user_id=None, username=None, password=None, audit_note=None, au-dit_user_ids=None, send_note_as_email=None)

The rejectApproval action.

Parameters

• user_id – userID (type: string)

• username – username (type: string)

• password – password (type: string)

• audit_note – auditNote (type: string)

• audit_user_ids – auditUserIDs (type: string[])

• send_note_as_email – sendNoteAsEmail (type: boolean)

rejection_issueReference for rejectionIssue

rejection_issue_idField for rejectionIssueID

remaining_duration_minutesField for remainingDurationMinutes

reply_to_assignment(note_text=None, commit_date=None)The replyToAssignment action.

Parameters

• note_text – noteText (type: string)

• commit_date – commitDate (type: dateTime)

reserved_timeReference for reservedTime

2.2. API Reference 371

python-workfront Documentation, Release 0.8.0

reserved_time_idField for reservedTimeID

resolvablesCollection for resolvables

resource_scopeField for resourceScope

revenue_typeField for revenueType

roleReference for role

role_idField for roleID

security_ancestorsCollection for securityAncestors

security_ancestors_disabledField for securityAncestorsDisabled

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

show_commit_dateField for showCommitDate

show_conditionField for showCondition

show_statusField for showStatus

slack_dateField for slackDate

spiField for spi

statusField for status

status_equates_withField for statusEquatesWith

status_updateField for statusUpdate

submitted_byReference for submittedBy

submitted_by_idField for submittedByID

successorsCollection for successors

372 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

task_constraintField for taskConstraint

task_numberField for taskNumber

task_number_predecessor_stringField for taskNumberPredecessorString

teamReference for team

team_assignmentReference for teamAssignment

team_idField for teamID

template_taskReference for templateTask

template_task_idField for templateTaskID

timed_notifications(notification_ids=None)The timedNotifications action.

Parameters notification_ids – notificationIDs (type: string[])

tracking_modeField for trackingMode

unaccept_work()The unacceptWork action.

unassign(user_id=None)The unassign action.

Parameters user_id – userID (type: string)

unassign_occurrences(user_id=None)The unassignOccurrences action.

Parameters user_id – userID (type: string)

Returns string[]

updatesCollection for updates

urlField for URL

versionField for version

wbsField for wbs

workField for work

work_itemReference for workItem

2.2. API Reference 373

python-workfront Documentation, Release 0.8.0

work_requiredField for workRequired

work_required_expressionField for workRequiredExpression

work_unitField for workUnit

class workfront.versions.unsupported.Team(session=None, **fields)Object for TEAMOB

add_early_access(ids=None)The addEarlyAccess action.

Parameters ids – ids (type: string[])

backlog_tasksCollection for backlogTasks

customerReference for customer

customer_idField for customerID

default_interfaceField for defaultInterface

delete_early_access(ids=None)The deleteEarlyAccess action.

Parameters ids – ids (type: string[])

descriptionField for description

estimate_by_hoursField for estimateByHours

hours_per_pointField for hoursPerPoint

is_agileField for isAgile

is_standard_issue_listField for isStandardIssueList

layout_templateReference for layoutTemplate

layout_template_idField for layoutTemplateID

move_tasks_on_team_backlog(team_id=None, start_number=None, end_number=None,move_to_number=None, moving_task_ids=None)

The moveTasksOnTeamBacklog action.

Parameters

• team_id – teamID (type: string)

• start_number – startNumber (type: int)

• end_number – endNumber (type: int)

374 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

• move_to_number – moveToNumber (type: int)

• moving_task_ids – movingTaskIDs (type: string[])

my_work_viewReference for myWorkView

my_work_view_idField for myWorkViewID

nameField for name

op_task_bug_report_statusesField for opTaskBugReportStatuses

op_task_change_order_statusesField for opTaskChangeOrderStatuses

op_task_issue_statusesField for opTaskIssueStatuses

op_task_request_statusesField for opTaskRequestStatuses

ownerReference for owner

owner_idField for ownerID

requests_viewReference for requestsView

requests_view_idField for requestsViewID

scheduleReference for schedule

schedule_idField for scheduleID

task_statusesField for taskStatuses

team_member_rolesCollection for teamMemberRoles

team_membersCollection for teamMembers

team_story_board_statusesField for teamStoryBoardStatuses

team_typeField for teamType

updatesCollection for updates

usersCollection for users

2.2. API Reference 375

python-workfront Documentation, Release 0.8.0

class workfront.versions.unsupported.TeamMember(session=None, **fields)Object for TEAMMB

adhoc_teamField for adhocTeam

customerReference for customer

customer_idField for customerID

has_assign_permissionsField for hasAssignPermissions

teamReference for team

team_idField for teamID

userReference for user

user_idField for userID

class workfront.versions.unsupported.TeamMemberRole(session=None, **fields)Object for TEAMMR

customerReference for customer

customer_idField for customerID

roleReference for role

role_idField for roleID

teamReference for team

team_idField for teamID

userReference for user

user_idField for userID

class workfront.versions.unsupported.Template(session=None, **fields)Object for TMPL

access_rule_preferencesCollection for accessRulePreferences

access_rulesCollection for accessRules

376 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

accessor_idsField for accessorIDs

approval_processReference for approvalProcess

approval_process_idField for approvalProcessID

auto_baseline_recur_onField for autoBaselineRecurOn

auto_baseline_recurrence_typeField for autoBaselineRecurrenceType

budgetField for budget

calculate_data_extension()The calculateDataExtension action.

calculate_timeline()The calculateTimeline action.

Returns string

categoryReference for category

category_idField for categoryID

companyReference for company

company_idField for companyID

completion_dayField for completionDay

completion_typeField for completionType

condition_typeField for conditionType

currencyField for currency

customerReference for customer

customer_idField for customerID

default_forbidden_contribute_actionsField for defaultForbiddenContributeActions

default_forbidden_manage_actionsField for defaultForbiddenManageActions

default_forbidden_view_actionsField for defaultForbiddenViewActions

2.2. API Reference 377

python-workfront Documentation, Release 0.8.0

deliverable_score_cardReference for deliverableScoreCard

deliverable_score_card_idField for deliverableScoreCardID

deliverable_success_scoreField for deliverableSuccessScore

deliverable_valuesCollection for deliverableValues

descriptionField for description

document_requestsCollection for documentRequests

documentsCollection for documents

duration_expressionField for durationExpression

duration_minutesField for durationMinutes

enable_auto_baselinesField for enableAutoBaselines

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

exchange_rateReference for exchangeRate

expensesCollection for expenses

ext_ref_idField for extRefID

filter_hour_typesField for filterHourTypes

fixed_costField for fixedCost

fixed_revenueField for fixedRevenue

get_template_currency()The getTemplateCurrency action.

Returns string

groupsCollection for groups

378 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

has_documentsField for hasDocuments

has_expensesField for hasExpenses

has_notesField for hasNotes

has_timed_notificationsField for hasTimedNotifications

hour_typesCollection for hourTypes

last_noteReference for lastNote

last_note_idField for lastNoteID

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

leveling_modeField for levelingMode

milestone_pathReference for milestonePath

milestone_path_idField for milestonePathID

nameField for name

notification_recordsCollection for notificationRecords

object_categoriesCollection for objectCategories

olvField for olv

ownerReference for owner

owner_idField for ownerID

owner_privilegesField for ownerPrivileges

parameter_valuesCollection for parameterValues

2.2. API Reference 379

python-workfront Documentation, Release 0.8.0

pending_calculationField for pendingCalculation

pending_update_methodsField for pendingUpdateMethods

performance_index_methodField for performanceIndexMethod

planned_benefitField for plannedBenefit

planned_costField for plannedCost

planned_expense_costField for plannedExpenseCost

planned_labor_costField for plannedLaborCost

planned_revenueField for plannedRevenue

planned_risk_costField for plannedRiskCost

portfolioReference for portfolio

portfolio_idField for portfolioID

priorityField for priority

programReference for program

program_idField for programID

queue_defReference for queueDef

queue_def_idField for queueDefID

ratesCollection for rates

reference_numberField for referenceNumber

remove_users_from_template(user_ids=None)The removeUsersFromTemplate action.

Parameters user_ids – userIDs (type: string[])

riskField for risk

risksCollection for risks

380 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

rolesCollection for roles

routing_rulesCollection for routingRules

scheduleReference for schedule

schedule_idField for scheduleID

schedule_modeField for scheduleMode

set_access_rule_preferences(access_rule_preferences=None)The setAccessRulePreferences action.

Parameters access_rule_preferences – accessRulePreferences (type: string[])

sharing_settingsReference for sharingSettings

sponsorReference for sponsor

sponsor_idField for sponsorID

start_dayField for startDay

summary_completion_typeField for summaryCompletionType

teamReference for team

team_idField for teamID

template_tasksCollection for templateTasks

template_user_rolesCollection for templateUserRoles

template_usersCollection for templateUsers

update_typeField for updateType

updatesCollection for updates

urlField for URL

versionField for version

work_requiredField for workRequired

2.2. API Reference 381

python-workfront Documentation, Release 0.8.0

class workfront.versions.unsupported.TemplateAssignment(session=None, **fields)Object for TASSGN

accessor_idsField for accessorIDs

assigned_toReference for assignedTo

assigned_to_idField for assignedToID

assignment_percentField for assignmentPercent

customerReference for customer

customer_idField for customerID

is_primaryField for isPrimary

is_team_assignmentField for isTeamAssignment

master_taskReference for masterTask

master_task_idField for masterTaskID

obj_idField for objID

obj_obj_codeField for objObjCode

roleReference for role

role_idField for roleID

teamReference for team

team_idField for teamID

templateReference for template

template_idField for templateID

template_taskReference for templateTask

template_task_idField for templateTaskID

382 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

workField for work

work_requiredField for workRequired

work_unitField for workUnit

class workfront.versions.unsupported.TemplatePredecessor(session=None, **fields)Object for TPRED

customerReference for customer

customer_idField for customerID

is_enforcedField for isEnforced

lag_daysField for lagDays

lag_typeField for lagType

predecessorReference for predecessor

predecessor_idField for predecessorID

predecessor_typeField for predecessorType

successorReference for successor

successor_idField for successorID

class workfront.versions.unsupported.TemplateTask(session=None, **fields)Object for TTSK

accessor_idsField for accessorIDs

approval_processReference for approvalProcess

approval_process_idField for approvalProcessID

assign_multiple(user_ids=None, role_ids=None, team_id=None)The assignMultiple action.

Parameters

• user_ids – userIDs (type: string[])

• role_ids – roleIDs (type: string[])

• team_id – teamID (type: string)

2.2. API Reference 383

python-workfront Documentation, Release 0.8.0

assigned_toReference for assignedTo

assigned_to_idField for assignedToID

assignmentsCollection for assignments

assignments_list_stringField for assignmentsListString

audit_typesField for auditTypes

billing_amountField for billingAmount

bulk_copy(template_id=None, template_task_ids=None, parent_template_task_id=None, op-tions=None)

The bulkCopy action.

Parameters

• template_id – templateID (type: string)

• template_task_ids – templateTaskIDs (type: string[])

• parent_template_task_id – parentTemplateTaskID (type: string)

• options – options (type: string[])

Returns string[]

bulk_move(template_task_ids=None, template_id=None, parent_id=None, options=None)The bulkMove action.

Parameters

• template_task_ids – templateTaskIDs (type: string[])

• template_id – templateID (type: string)

• parent_id – parentID (type: string)

• options – options (type: string[])

Returns string

calculate_data_extension()The calculateDataExtension action.

categoryReference for category

category_idField for categoryID

childrenCollection for children

completion_dayField for completionDay

constraint_dayField for constraintDay

384 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

cost_amountField for costAmount

cost_typeField for costType

customerReference for customer

customer_idField for customerID

descriptionField for description

document_requestsCollection for documentRequests

documentsCollection for documents

durationField for duration

duration_expressionField for durationExpression

duration_minutesField for durationMinutes

duration_typeField for durationType

duration_unitField for durationUnit

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

expensesCollection for expenses

ext_ref_idField for extRefID

has_documentsField for hasDocuments

has_expensesField for hasExpenses

has_notesField for hasNotes

has_timed_notificationsField for hasTimedNotifications

2.2. API Reference 385

python-workfront Documentation, Release 0.8.0

indentField for indent

is_criticalField for isCritical

is_duration_lockedField for isDurationLocked

is_leveling_excludedField for isLevelingExcluded

is_work_required_lockedField for isWorkRequiredLocked

last_noteReference for lastNote

last_note_idField for lastNoteID

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

leveling_start_delayField for levelingStartDelay

leveling_start_delay_minutesField for levelingStartDelayMinutes

master_taskReference for masterTask

master_task_idField for masterTaskID

milestoneReference for milestone

milestone_idField for milestoneID

move(template_id=None, parent_id=None, options=None)The move action.

Parameters

• template_id – templateID (type: string)

• parent_id – parentID (type: string)

• options – options (type: string[])

nameField for name

notification_recordsCollection for notificationRecords

386 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

number_of_childrenField for numberOfChildren

object_categoriesCollection for objectCategories

original_durationField for originalDuration

original_work_requiredField for originalWorkRequired

parameter_valuesCollection for parameterValues

parentReference for parent

parent_idField for parentID

parent_lagField for parentLag

parent_lag_typeField for parentLagType

pending_calculationField for pendingCalculation

pending_update_methodsField for pendingUpdateMethods

planned_costField for plannedCost

planned_durationField for plannedDuration

planned_duration_minutesField for plannedDurationMinutes

planned_expense_costField for plannedExpenseCost

planned_labor_costField for plannedLaborCost

planned_revenueField for plannedRevenue

predecessor_expressionField for predecessorExpression

predecessorsCollection for predecessors

priorityField for priority

recurrence_numberField for recurrenceNumber

2.2. API Reference 387

python-workfront Documentation, Release 0.8.0

recurrence_ruleReference for recurrenceRule

recurrence_rule_idField for recurrenceRuleID

reference_numberField for referenceNumber

revenue_typeField for revenueType

roleReference for role

role_idField for roleID

start_dayField for startDay

successorsCollection for successors

task_constraintField for taskConstraint

task_numberField for taskNumber

task_number_predecessor_stringField for taskNumberPredecessorString

teamReference for team

team_assignmentReference for teamAssignment

team_idField for teamID

templateReference for template

template_idField for templateID

timed_notifications(notification_ids=None)The timedNotifications action.

Parameters notification_ids – notificationIDs (type: string[])

tracking_modeField for trackingMode

urlField for URL

workField for work

work_requiredField for workRequired

388 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

work_required_expressionField for workRequiredExpression

work_unitField for workUnit

class workfront.versions.unsupported.TemplateUser(session=None, **fields)Object for TMTU

customerReference for customer

customer_idField for customerID

templateReference for template

template_idField for templateID

tmp_user_idField for tmpUserID

userReference for user

user_idField for userID

class workfront.versions.unsupported.TemplateUserRole(session=None, **fields)Object for TTEAM

customerReference for customer

customer_idField for customerID

roleReference for role

role_idField for roleID

templateReference for template

template_idField for templateID

userReference for user

user_idField for userID

class workfront.versions.unsupported.TimedNotification(session=None, **fields)Object for TMNOT

criteriaField for criteria

2.2. API Reference 389

python-workfront Documentation, Release 0.8.0

customerReference for customer

customer_idField for customerID

date_fieldField for dateField

descriptionField for description

duration_minutesField for durationMinutes

duration_unitField for durationUnit

email_templateReference for emailTemplate

email_template_idField for emailTemplateID

nameField for name

recipientsField for recipients

timed_not_obj_codeField for timedNotObjCode

timingField for timing

class workfront.versions.unsupported.Timesheet(session=None, **fields)Object for TSHET

approverReference for approver

approver_can_edit_hoursField for approverCanEditHours

approver_idField for approverID

approversCollection for approvers

approvers_list_stringField for approversListString

available_actionsField for availableActions

awaiting_approvalsCollection for awaitingApprovals

customerReference for customer

390 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

customer_idField for customerID

display_nameField for displayName

end_dateField for endDate

ext_ref_idField for extRefID

has_notesField for hasNotes

hoursCollection for hours

hours_durationField for hoursDuration

is_editableField for isEditable

last_noteReference for lastNote

last_note_idField for lastNoteID

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

notification_recordsCollection for notificationRecords

overtime_hoursField for overtimeHours

pin_timesheet_object(user_id=None, obj_code=None, obj_id=None)The pinTimesheetObject action.

Parameters

• user_id – userID (type: string)

• obj_code – objCode (type: string)

• obj_id – objID (type: string)

regular_hoursField for regularHours

start_dateField for startDate

statusField for status

2.2. API Reference 391

python-workfront Documentation, Release 0.8.0

timesheet_profileReference for timesheetProfile

timesheet_profile_idField for timesheetProfileID

total_hoursField for totalHours

unpin_timesheet_object(user_id=None, obj_code=None, obj_id=None)The unpinTimesheetObject action.

Parameters

• user_id – userID (type: string)

• obj_code – objCode (type: string)

• obj_id – objID (type: string)

userReference for user

user_idField for userID

class workfront.versions.unsupported.TimesheetProfile(session=None, **fields)Object for TSPRO

approverReference for approver

approver_can_edit_hoursField for approverCanEditHours

approver_idField for approverID

approversCollection for approvers

approvers_list_stringField for approversListString

customerReference for customer

customer_idField for customerID

descriptionField for description

effective_end_dateField for effectiveEndDate

effective_start_dateField for effectiveStartDate

entered_byReference for enteredBy

entered_by_idField for enteredByID

392 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

generate_customer_timesheets(obj_ids=None)The generateCustomerTimesheets action.

Parameters obj_ids – objIDs (type: string[])

has_reference(ids=None)The hasReference action.

Parameters ids – ids (type: string[])

Returns java.lang.Boolean

hour_typesCollection for hourTypes

is_recurringField for isRecurring

manager_approvalField for managerApproval

nameField for name

notification_recordsCollection for notificationRecords

pay_period_typeField for payPeriodType

period_startField for periodStart

period_start_display_nameField for PeriodStartDisplayName

class workfront.versions.unsupported.TimesheetTemplate(session=None, **fields)Object for TSHTMP

customerReference for customer

customer_idField for customerID

hour_typeReference for hourType

hour_type_idField for hourTypeID

op_taskReference for opTask

op_task_idField for opTaskID

projectReference for project

project_idField for projectID

ref_obj_codeField for refObjCode

2.2. API Reference 393

python-workfront Documentation, Release 0.8.0

ref_obj_idField for refObjID

taskReference for task

task_idField for taskID

userReference for user

user_idField for userID

class workfront.versions.unsupported.UIFilter(session=None, **fields)Object for UIFT

access_rulesCollection for accessRules

accessor_idsField for accessorIDs

app_globalReference for appGlobal

app_global_idField for appGlobalID

customerReference for customer

customer_idField for customerID

definitionField for definition

display_nameField for displayName

entered_byReference for enteredBy

entered_by_idField for enteredByID

filter_typeField for filterType

global_uikeyField for globalUIKey

is_app_global_editableField for isAppGlobalEditable

is_publicField for isPublic

is_reportField for isReport

394 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

is_saved_searchField for isSavedSearch

is_textField for isText

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

linked_rolesCollection for linkedRoles

linked_teamsCollection for linkedTeams

linked_usersCollection for linkedUsers

mod_dateField for modDate

msg_keyField for msgKey

nameField for name

obj_idField for objID

obj_obj_codeField for objObjCode

preferenceReference for preference

preference_idField for preferenceID

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

ui_obj_codeField for uiObjCode

un_link_users(filter_id=None, linked_user_ids=None)The unLinkUsers action.

Parameters

• filter_id – filterID (type: string)

• linked_user_ids – linkedUserIDs (type: string[])

usersCollection for users

2.2. API Reference 395

python-workfront Documentation, Release 0.8.0

class workfront.versions.unsupported.UIGroupBy(session=None, **fields)Object for UIGB

access_rulesCollection for accessRules

accessor_idsField for accessorIDs

app_globalReference for appGlobal

app_global_idField for appGlobalID

customerReference for customer

customer_idField for customerID

definitionField for definition

display_nameField for displayName

entered_byReference for enteredBy

entered_by_idField for enteredByID

global_uikeyField for globalUIKey

is_app_global_editableField for isAppGlobalEditable

is_publicField for isPublic

is_reportField for isReport

is_textField for isText

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

linked_rolesCollection for linkedRoles

linked_teamsCollection for linkedTeams

396 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

linked_usersCollection for linkedUsers

mod_dateField for modDate

msg_keyField for msgKey

nameField for name

obj_idField for objID

obj_obj_codeField for objObjCode

preferenceReference for preference

preference_idField for preferenceID

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

ui_obj_codeField for uiObjCode

un_link_users(group_id=None, linked_user_ids=None)The unLinkUsers action.

Parameters

• group_id – groupID (type: string)

• linked_user_ids – linkedUserIDs (type: string[])

class workfront.versions.unsupported.UIView(session=None, **fields)Object for UIVW

access_rulesCollection for accessRules

accessor_idsField for accessorIDs

app_globalReference for appGlobal

app_global_idField for appGlobalID

customerReference for customer

customer_idField for customerID

definitionField for definition

2.2. API Reference 397

python-workfront Documentation, Release 0.8.0

display_nameField for displayName

entered_byReference for enteredBy

entered_by_idField for enteredByID

expand_view_aliases(obj_code=None, definition=None)The expandViewAliases action.

Parameters

• obj_code – objCode (type: string)

• definition – definition (type: map)

Returns map

get_view_fields()The getViewFields action.

Returns string[]

global_uikeyField for globalUIKey

is_app_global_editableField for isAppGlobalEditable

is_defaultField for isDefault

is_new_formatField for isNewFormat

is_publicField for isPublic

is_reportField for isReport

is_textField for isText

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

layout_typeField for layoutType

linked_rolesCollection for linkedRoles

linked_teamsCollection for linkedTeams

398 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

linked_usersCollection for linkedUsers

migrate_uiviews_ppmto_anaconda()The migrateUIViewsPPMToAnaconda action.

mod_dateField for modDate

msg_keyField for msgKey

nameField for name

obj_idField for objID

obj_obj_codeField for objObjCode

preferenceReference for preference

preference_idField for preferenceID

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

ui_obj_codeField for uiObjCode

uiview_typeField for uiviewType

un_link_users(view_id=None, linked_user_ids=None)The unLinkUsers action.

Parameters

• view_id – viewID (type: string)

• linked_user_ids – linkedUserIDs (type: string[])

class workfront.versions.unsupported.Update(session=None, **fields)Object for UPDATE

allowed_actionsField for allowedActions

audit_recordReference for auditRecord

audit_record_idField for auditRecordID

audit_session_count(user_id=None, target_user_id=None, start_date=None, end_date=None)The auditSessionCount action.

Parameters

2.2. API Reference 399

python-workfront Documentation, Release 0.8.0

• user_id – userID (type: string)

• target_user_id – targetUserID (type: string)

• start_date – startDate (type: dateTime)

• end_date – endDate (type: dateTime)

Returns java.lang.Integer

combined_updatesCollection for combinedUpdates

entered_by_idField for enteredByID

entered_by_nameField for enteredByName

entry_dateField for entryDate

get_update_types_for_stream(stream_type=None)The getUpdateTypesForStream action.

Parameters stream_type – streamType (type: string)

Returns string[]

has_updates_before_date(obj_code=None, obj_id=None, date=None)The hasUpdatesBeforeDate action.

Parameters

• obj_code – objCode (type: string)

• obj_id – objID (type: string)

• date – date (type: dateTime)

Returns java.lang.Boolean

icon_nameField for iconName

icon_pathField for iconPath

is_valid_update_note(obj_code=None, obj_id=None, comment_id=None)The isValidUpdateNote action.

Parameters

• obj_code – objCode (type: string)

• obj_id – objID (type: string)

• comment_id – commentID (type: string)

Returns java.lang.Boolean

messageField for message

message_argsCollection for messageArgs

400 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

nested_updatesCollection for nestedUpdates

ref_nameField for refName

ref_obj_codeField for refObjCode

ref_obj_idField for refObjID

repliesCollection for replies

styled_messageField for styledMessage

sub_messageField for subMessage

sub_message_argsCollection for subMessageArgs

sub_obj_codeField for subObjCode

sub_obj_idField for subObjID

thread_idField for threadID

top_nameField for topName

top_obj_codeField for topObjCode

top_obj_idField for topObjID

update_actionsField for updateActions

update_endorsementReference for updateEndorsement

update_journal_entryReference for updateJournalEntry

update_noteReference for updateNote

update_objThe object referenced by this update.

update_obj_codeField for updateObjCode

update_obj_idField for updateObjID

2.2. API Reference 401

python-workfront Documentation, Release 0.8.0

update_typeField for updateType

class workfront.versions.unsupported.User(session=None, **fields)Object for USER

access_levelReference for accessLevel

access_level_idField for accessLevelID

access_rule_preferencesCollection for accessRulePreferences

add_customer_feedback_improvement(is_better=None, comment=None)The addCustomerFeedbackImprovement action.

Parameters

• is_better – isBetter (type: boolean)

• comment – comment (type: string)

add_customer_feedback_score_rating(score=None, comment=None)The addCustomerFeedbackScoreRating action.

Parameters

• score – score (type: int)

• comment – comment (type: string)

add_early_access(ids=None)The addEarlyAccess action.

Parameters ids – ids (type: string[])

add_external_user(email_addr=None)The addExternalUser action.

Parameters email_addr – emailAddr (type: string)

Returns string

add_mobile_device(token=None, device_type=None)The addMobileDevice action.

Parameters

• token – token (type: string)

• device_type – deviceType (type: string)

Returns map

addressField for address

address2Field for address2

assign_user_token()The assignUserToken action.

Returns string

402 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

avatar_dateField for avatarDate

avatar_download_urlField for avatarDownloadURL

avatar_sizeField for avatarSize

avatar_xField for avatarX

avatar_yField for avatarY

billing_per_hourField for billingPerHour

calculate_data_extension()The calculateDataExtension action.

categoryReference for category

category_idField for categoryID

check_other_user_early_access()The checkOtherUserEarlyAccess action.

Returns java.lang.Boolean

cityField for city

clear_access_rule_preferences(obj_code=None)The clearAccessRulePreferences action.

Parameters obj_code – objCode (type: string)

clear_api_key()The clearApiKey action.

Returns string

companyReference for company

company_idField for companyID

complete_external_user_registration(first_name=None, last_name=None,new_password=None)

The completeExternalUserRegistration action.

Parameters

• first_name – firstName (type: string)

• last_name – lastName (type: string)

• new_password – newPassword (type: string)

complete_user_registration(first_name=None, last_name=None, token=None, title=None,new_password=None)

The completeUserRegistration action.

2.2. API Reference 403

python-workfront Documentation, Release 0.8.0

Parameters

• first_name – firstName (type: string)

• last_name – lastName (type: string)

• token – token (type: string)

• title – title (type: string)

• new_password – newPassword (type: string)

cost_per_hourField for costPerHour

countryField for country

custom_tabsCollection for customTabs

customerReference for customer

customer_idField for customerID

default_hour_typeReference for defaultHourType

default_hour_type_idField for defaultHourTypeID

default_interfaceField for defaultInterface

delegation_toReference for delegationTo

delegation_to_idField for delegationToID

delegations_fromCollection for delegationsFrom

delete_early_access(ids=None)The deleteEarlyAccess action.

Parameters ids – ids (type: string[])

direct_reportsCollection for directReports

document_requestsCollection for documentRequests

documentsCollection for documents

effective_layout_templateReference for effectiveLayoutTemplate

email_addrField for emailAddr

404 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

entered_byReference for enteredBy

entered_by_idField for enteredByID

entry_dateField for entryDate

expire_password()The expirePassword action.

ext_ref_idField for extRefID

external_sectionsCollection for externalSections

external_usernameReference for externalUsername

favoritesCollection for favorites

first_nameField for firstName

fteField for fte

get_api_key()The getApiKey action.

Returns string

get_next_customer_feedback_type()The getNextCustomerFeedbackType action.

Returns string

get_or_add_external_user(email_addr=None)The getOrAddExternalUser action.

Parameters email_addr – emailAddr (type: string)

Returns string

get_reset_password_token_expired(token=None)The getResetPasswordTokenExpired action.

Parameters token – token (type: string)

Returns java.lang.Boolean

has_apiaccessField for hasAPIAccess

has_documentsField for hasDocuments

has_early_access()The hasEarlyAccess action.

Returns java.lang.Boolean

2.2. API Reference 405

python-workfront Documentation, Release 0.8.0

has_notesField for hasNotes

has_passwordField for hasPassword

has_proof_licenseField for hasProofLicense

has_reserved_timesField for hasReservedTimes

high_priority_work_itemReference for highPriorityWorkItem

home_groupReference for homeGroup

home_group_idField for homeGroupID

home_teamReference for homeTeam

home_team_idField for homeTeamID

hour_typesCollection for hourTypes

is_activeField for isActive

is_adminField for isAdmin

is_box_authenticatedField for isBoxAuthenticated

is_drop_box_authenticatedField for isDropBoxAuthenticated

is_google_authenticatedField for isGoogleAuthenticated

is_npssurvey_available()The isNPSSurveyAvailable action.

Returns java.lang.Boolean

is_share_point_authenticatedField for isSharePointAuthenticated

is_username_re_captcha_required()The isUsernameReCaptchaRequired action.

Returns java.lang.Boolean

is_web_damauthenticatedField for isWebDAMAuthenticated

is_workfront_damauthenticatedField for isWorkfrontDAMAuthenticated

406 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

last_entered_noteReference for lastEnteredNote

last_entered_note_idField for lastEnteredNoteID

last_login_dateField for lastLoginDate

last_nameField for lastName

last_noteReference for lastNote

last_note_idField for lastNoteID

last_status_noteReference for lastStatusNote

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

last_whats_newField for lastWhatsNew

latest_update_noteReference for latestUpdateNote

latest_update_note_idField for latestUpdateNoteID

layout_templateReference for layoutTemplate

layout_template_idField for layoutTemplateID

license_typeField for licenseType

linked_portal_tabsCollection for linkedPortalTabs

localeField for locale

login_countField for loginCount

managerReference for manager

manager_idField for managerID

2.2. API Reference 407

python-workfront Documentation, Release 0.8.0

messagesCollection for messages

migrate_users_ppmto_anaconda()The migrateUsersPPMToAnaconda action.

mobile_devicesCollection for mobileDevices

mobile_phone_numberField for mobilePhoneNumber

my_infoField for myInfo

nameField for name

object_categoriesCollection for objectCategories

parameter_valuesCollection for parameterValues

passwordField for password

password_dateField for passwordDate

personaField for persona

phone_extensionField for phoneExtension

phone_numberField for phoneNumber

portal_profileReference for portalProfile

portal_profile_idField for portalProfileID

portal_sectionsCollection for portalSections

portal_tabsCollection for portalTabs

postal_codeField for postalCode

registration_expire_dateField for registrationExpireDate

remove_mobile_device(token=None)The removeMobileDevice action.

Parameters token – token (type: string)

Returns map

408 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

reserved_timesCollection for reservedTimes

reset_password(old_password=None, new_password=None)The resetPassword action.

Parameters

• old_password – oldPassword (type: string)

• new_password – newPassword (type: string)

reset_password_expire_dateField for resetPasswordExpireDate

resource_poolReference for resourcePool

resource_pool_idField for resourcePoolID

retrieve_and_store_oauth2tokens(state=None, authorization_code=None)The retrieveAndStoreOAuth2Tokens action.

Parameters

• state – state (type: string)

• authorization_code – authorizationCode (type: string)

retrieve_and_store_oauth_token(oauth_token=None)The retrieveAndStoreOAuthToken action.

Parameters oauth_token – oauth_token (type: string)

roleReference for role

role_idField for roleID

rolesCollection for roles

scheduleReference for schedule

schedule_idField for scheduleID

send_invitation_email()The sendInvitationEmail action.

set_access_rule_preferences(access_rule_preferences=None)The setAccessRulePreferences action.

Parameters access_rule_preferences – accessRulePreferences (type: string[])

sso_access_onlyField for ssoAccessOnly

sso_usernameField for ssoUsername

stateField for state

2.2. API Reference 409

python-workfront Documentation, Release 0.8.0

status_updateField for statusUpdate

submit_npssurvey(data_map=None)The submitNPSSurvey action.

Parameters data_map – dataMap (type: map)

teamsCollection for teams

time_zoneField for timeZone

timesheet_profileReference for timesheetProfile

timesheet_profile_idField for timesheetProfileID

timesheet_templatesCollection for timesheetTemplates

titleField for title

ui_filtersCollection for uiFilters

ui_group_bysCollection for uiGroupBys

ui_viewsCollection for uiViews

update_next_survey_on_date(next_suvey_date=None)The updateNextSurveyOnDate action.

Parameters next_suvey_date – nextSuveyDate (type: dateTime)

updatesCollection for updates

user_activitiesCollection for userActivities

user_groupsCollection for userGroups

user_pref_valuesCollection for userPrefValues

usernameField for username

validate_re_captcha(captcha_response=None)The validateReCaptcha action.

Parameters captcha_response – captchaResponse (type: string)

Returns java.lang.Boolean

watch_listCollection for watchList

410 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

web_davprofileField for webDAVProfile

work_itemsCollection for workItems

class workfront.versions.unsupported.UserActivity(session=None, **fields)Object for USERAC

customerReference for customer

customer_idField for customerID

entry_dateField for entryDate

last_update_dateField for lastUpdateDate

nameField for name

userReference for user

user_idField for userID

valueField for value

class workfront.versions.unsupported.UserAvailability(session=None, **fields)Object for USRAVL

availability_dateField for availabilityDate

customerReference for customer

customer_idField for customerID

delete_duplicate_availability(duplicate_user_availability_ids=None)The deleteDuplicateAvailability action.

Parameters duplicate_user_availability_ids – duplicateUserAvailabilityIDs(type: string[])

get_user_assignments(user_id=None, start_date=None, end_date=None)The getUserAssignments action.

Parameters

• user_id – userID (type: string)

• start_date – startDate (type: string)

• end_date – endDate (type: string)

Returns string[]

2.2. API Reference 411

python-workfront Documentation, Release 0.8.0

olvField for olv

planned_allocation_percentField for plannedAllocationPercent

planned_assigned_minutesField for plannedAssignedMinutes

planned_remaining_minutesField for plannedRemainingMinutes

projected_allocation_percentField for projectedAllocationPercent

projected_assigned_minutesField for projectedAssignedMinutes

projected_remaining_minutesField for projectedRemainingMinutes

total_minutesField for totalMinutes

userReference for user

user_idField for userID

class workfront.versions.unsupported.UserDelegation(session=None, **fields)Object for USRDEL

customerReference for customer

customer_idField for customerID

end_dateField for endDate

from_userReference for fromUser

from_user_idField for fromUserID

start_dateField for startDate

to_userReference for toUser

to_user_idField for toUserID

class workfront.versions.unsupported.UserGroups(session=None, **fields)Object for USRGPS

customerReference for customer

412 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

customer_idField for customerID

groupReference for group

group_idField for groupID

is_ownerField for isOwner

userReference for user

user_idField for userID

class workfront.versions.unsupported.UserNote(session=None, **fields)Object for USRNOT

acknowledge()The acknowledge action.

Returns string

acknowledge_all()The acknowledgeAll action.

Returns string[]

acknowledge_many(obj_ids=None)The acknowledgeMany action.

Parameters obj_ids – objIDs (type: string[])

Returns string[]

acknowledgementReference for acknowledgement

acknowledgement_idField for acknowledgementID

add_team_note(team_id=None, obj_code=None, target_id=None, type=None)The addTeamNote action.

Parameters

• team_id – teamID (type: string)

• obj_code – objCode (type: string)

• target_id – targetID (type: string)

• type – type (type: com.attask.common.constants.UserNoteEventEnum)

Returns java.util.Collection

add_teams_notes(team_ids=None, obj_code=None, target_id=None, type=None)The addTeamsNotes action.

Parameters

• team_ids – teamIDs (type: java.util.Collection)

• obj_code – objCode (type: string)

2.2. API Reference 413

python-workfront Documentation, Release 0.8.0

• target_id – targetID (type: string)

• type – type (type: com.attask.common.constants.UserNoteEventEnum)

Returns java.util.Collection

add_user_note(user_id=None, obj_code=None, target_id=None, type=None)The addUserNote action.

Parameters

• user_id – userID (type: string)

• obj_code – objCode (type: string)

• target_id – targetID (type: string)

• type – type (type: com.attask.common.constants.UserNoteEventEnum)

Returns string

add_users_notes(user_ids=None, obj_code=None, target_id=None, type=None)The addUsersNotes action.

Parameters

• user_ids – userIDs (type: java.util.Collection)

• obj_code – objCode (type: string)

• target_id – targetID (type: string)

• type – type (type: com.attask.common.constants.UserNoteEventEnum)

Returns java.util.Collection

announcementReference for announcement

announcement_favorite_idField for announcementFavoriteID

announcement_idField for announcementID

customerReference for customer

customer_idField for customerID

document_approvalReference for documentApproval

document_approval_idField for documentApprovalID

document_requestReference for documentRequest

document_request_idField for documentRequestID

document_shareReference for documentShare

414 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

document_share_idField for documentShareID

endorsementReference for endorsement

endorsement_idField for endorsementID

endorsement_shareReference for endorsementShare

endorsement_share_idField for endorsementShareID

entry_dateField for entryDate

event_typeField for eventType

get_my_notification_last_view_date()The getMyNotificationLastViewDate action.

Returns dateTime

has_announcement_delete_access()The hasAnnouncementDeleteAccess action.

Returns java.lang.Boolean

journal_entryReference for journalEntry

journal_entry_idField for journalEntryID

likeReference for like

like_idField for likeID

mark_deleted(note_id=None)The markDeleted action.

Parameters note_id – noteID (type: string)

marked_deleted_dateField for markedDeletedDate

noteReference for note

note_idField for noteID

unacknowledge()The unacknowledge action.

unacknowledged_announcement_count()The unacknowledgedAnnouncementCount action.

Returns java.lang.Integer

2.2. API Reference 415

python-workfront Documentation, Release 0.8.0

unacknowledged_count()The unacknowledgedCount action.

Returns java.lang.Integer

unmark_deleted(note_id=None)The unmarkDeleted action.

Parameters note_id – noteID (type: string)

userReference for user

user_idField for userID

user_notable_idField for userNotableID

user_notable_obj_codeField for userNotableObjCode

class workfront.versions.unsupported.UserObjectPref(session=None, **fields)Object for USOP

customerReference for customer

customer_idField for customerID

last_update_dateField for lastUpdateDate

nameField for name

ref_obj_codeField for refObjCode

ref_obj_idField for refObjID

set(user_id=None, ref_obj_code=None, ref_obj_id=None, name=None, value=None)The set action.

Parameters

• user_id – userID (type: string)

• ref_obj_code – refObjCode (type: string)

• ref_obj_id – refObjID (type: string)

• name – name (type: string)

• value – value (type: string)

Returns string

userReference for user

user_idField for userID

416 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

valueField for value

class workfront.versions.unsupported.UserPrefValue(session=None, **fields)Object for USERPF

customerReference for customer

customer_idField for customerID

get_inactive_notifications_value(user_id=None)The getInactiveNotificationsValue action.

Parameters user_id – userID (type: string)

Returns string

nameField for name

set_inactive_notifications_value(user_id=None, value=None)The setInactiveNotificationsValue action.

Parameters

• user_id – userID (type: string)

• value – value (type: string)

userReference for user

user_idField for userID

valueField for value

class workfront.versions.unsupported.UserResource(session=None, **fields)Object for USERRS

actual_allocation_percentageField for actualAllocationPercentage

actual_day_summariesField for actualDaySummaries

allocation_percentageField for allocationPercentage

allowed_actionsField for allowedActions

assignmentsCollection for assignments

available_number_of_hoursField for availableNumberOfHours

available_time_per_dayField for availableTimePerDay

2.2. API Reference 417

python-workfront Documentation, Release 0.8.0

average_actual_number_of_hoursField for averageActualNumberOfHours

average_number_of_hoursField for averageNumberOfHours

average_projected_number_of_hoursField for averageProjectedNumberOfHours

day_summariesField for daySummaries

detail_levelField for detailLevel

number_of_assignmentsField for numberOfAssignments

number_of_days_within_actual_thresholdField for numberOfDaysWithinActualThreshold

number_of_days_within_projected_thresholdField for numberOfDaysWithinProjectedThreshold

number_of_days_within_thresholdField for numberOfDaysWithinThreshold

obj_codeField for objCode

projected_allocation_percentageField for projectedAllocationPercentage

projected_day_summariesField for projectedDaySummaries

roleReference for role

total_actual_hoursField for totalActualHours

total_available_hoursField for totalAvailableHours

total_number_of_hoursField for totalNumberOfHours

total_projected_hoursField for totalProjectedHours

userReference for user

user_home_teamReference for userHomeTeam

user_primary_roleReference for userPrimaryRole

working_daysField for workingDays

418 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

class workfront.versions.unsupported.UsersSections(session=None, **fields)Object for USRSEC

customer_idField for customerID

section_idField for sectionID

user_idField for userID

class workfront.versions.unsupported.WatchListEntry(session=None, **fields)Object for WATCH

customerReference for customer

customer_idField for customerID

optaskReference for optask

optask_idField for optaskID

projectReference for project

project_idField for projectID

taskReference for task

task_idField for taskID

userReference for user

user_idField for userID

watchable_obj_codeField for watchableObjCode

watchable_obj_idField for watchableObjID

class workfront.versions.unsupported.WhatsNew(session=None, **fields)Object for WTSN

descriptionField for description

entry_dateField for entryDate

feature_nameField for featureName

2.2. API Reference 419

python-workfront Documentation, Release 0.8.0

is_whats_new_available(product_toggle=None)The isWhatsNewAvailable action.

Parameters product_toggle – productToggle (type: int)

Returns java.lang.Boolean

localeField for locale

product_toggleField for productToggle

start_dateField for startDate

titleField for title

whats_new_typesField for whatsNewTypes

class workfront.versions.unsupported.Work(session=None, **fields)Object for WORK

access_rulesCollection for accessRules

accessor_idsField for accessorIDs

actual_completion_dateField for actualCompletionDate

actual_costField for actualCost

actual_durationField for actualDuration

actual_duration_minutesField for actualDurationMinutes

actual_expense_costField for actualExpenseCost

actual_labor_costField for actualLaborCost

actual_revenueField for actualRevenue

actual_start_dateField for actualStartDate

actual_workField for actualWork

actual_work_requiredField for actualWorkRequired

actual_work_required_expressionField for actualWorkRequiredExpression

420 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

age_range_as_stringField for ageRangeAsString

all_prioritiesCollection for allPriorities

all_severitiesCollection for allSeverities

all_statusesCollection for allStatuses

approval_est_start_dateField for approvalEstStartDate

approval_planned_start_dateField for approvalPlannedStartDate

approval_planned_start_dayField for approvalPlannedStartDay

approval_processReference for approvalProcess

approval_process_idField for approvalProcessID

approval_projected_start_dateField for approvalProjectedStartDate

approver_statusesCollection for approverStatuses

approvers_stringField for approversString

assigned_toReference for assignedTo

assigned_to_idField for assignedToID

assignmentsCollection for assignments

assignments_list_stringField for assignmentsListString

audit_noteField for auditNote

audit_typesField for auditTypes

audit_user_idsField for auditUserIDs

auto_closure_dateField for autoClosureDate

awaiting_approvalsCollection for awaitingApprovals

2.2. API Reference 421

python-workfront Documentation, Release 0.8.0

backlog_orderField for backlogOrder

billing_amountField for billingAmount

billing_recordReference for billingRecord

billing_record_idField for billingRecordID

can_startField for canStart

categoryReference for category

category_idField for categoryID

childrenCollection for children

colorField for color

commit_dateField for commitDate

commit_date_rangeField for commitDateRange

completion_pending_dateField for completionPendingDate

conditionField for condition

constraint_dateField for constraintDate

converted_op_task_entry_dateField for convertedOpTaskEntryDate

converted_op_task_nameField for convertedOpTaskName

converted_op_task_originatorReference for convertedOpTaskOriginator

converted_op_task_originator_idField for convertedOpTaskOriginatorID

cost_amountField for costAmount

cost_typeField for costType

cpiField for cpi

422 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

csiField for csi

current_approval_stepReference for currentApprovalStep

current_approval_step_idField for currentApprovalStepID

current_status_durationField for currentStatusDuration

customerReference for customer

customer_idField for customerID

days_lateField for daysLate

default_baseline_taskReference for defaultBaselineTask

descriptionField for description

display_queue_breadcrumbField for displayQueueBreadcrumb

document_requestsCollection for documentRequests

documentsCollection for documents

done_statusesCollection for doneStatuses

due_dateField for dueDate

durationField for duration

duration_expressionField for durationExpression

duration_minutesField for durationMinutes

duration_typeField for durationType

duration_unitField for durationUnit

eacField for eac

entered_byReference for enteredBy

2.2. API Reference 423

python-workfront Documentation, Release 0.8.0

entered_by_idField for enteredByID

entry_dateField for entryDate

est_completion_dateField for estCompletionDate

est_start_dateField for estStartDate

estimateField for estimate

expensesCollection for expenses

ext_ref_idField for extRefID

first_responseField for firstResponse

get_my_accomplishments_count()The getMyAccomplishmentsCount action.

Returns java.lang.Integer

get_my_work_count()The getMyWorkCount action.

Returns java.lang.Integer

get_work_requests_count(filters=None)The getWorkRequestsCount action.

Parameters filters – filters (type: map)

Returns java.lang.Integer

groupReference for group

group_idField for groupID

handoff_dateField for handoffDate

has_completion_constraintField for hasCompletionConstraint

has_documentsField for hasDocuments

has_expensesField for hasExpenses

has_messagesField for hasMessages

has_notesField for hasNotes

424 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

has_resolvablesField for hasResolvables

has_start_constraintField for hasStartConstraint

has_timed_notificationsField for hasTimedNotifications

hoursCollection for hours

hours_per_pointField for hoursPerPoint

how_oldField for howOld

indentField for indent

is_agileField for isAgile

is_completeField for isComplete

is_criticalField for isCritical

is_duration_lockedField for isDurationLocked

is_help_deskField for isHelpDesk

is_leveling_excludedField for isLevelingExcluded

is_readyField for isReady

is_status_completeField for isStatusComplete

is_work_required_lockedField for isWorkRequiredLocked

iterationReference for iteration

iteration_idField for iterationID

last_condition_noteReference for lastConditionNote

last_condition_note_idField for lastConditionNoteID

last_noteReference for lastNote

2.2. API Reference 425

python-workfront Documentation, Release 0.8.0

last_note_idField for lastNoteID

last_update_dateField for lastUpdateDate

last_updated_byReference for lastUpdatedBy

last_updated_by_idField for lastUpdatedByID

leveling_start_delayField for levelingStartDelay

leveling_start_delay_expressionField for levelingStartDelayExpression

leveling_start_delay_minutesField for levelingStartDelayMinutes

master_taskReference for masterTask

master_task_idField for masterTaskID

milestoneReference for milestone

milestone_idField for milestoneID

nameField for name

notification_recordsCollection for notificationRecords

number_of_childrenField for numberOfChildren

number_open_op_tasksField for numberOpenOpTasks

object_categoriesCollection for objectCategories

olvField for olv

op_task_typeField for opTaskType

op_task_type_labelField for opTaskTypeLabel

op_tasksCollection for opTasks

open_op_tasksCollection for openOpTasks

426 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

original_durationField for originalDuration

original_work_requiredField for originalWorkRequired

ownerReference for owner

owner_idField for ownerID

parameter_valuesCollection for parameterValues

parentReference for parent

parent_idField for parentID

parent_lagField for parentLag

parent_lag_typeField for parentLagType

pending_calculationField for pendingCalculation

pending_predecessorsField for pendingPredecessors

pending_update_methodsField for pendingUpdateMethods

percent_completeField for percentComplete

personalField for personal

planned_completion_dateField for plannedCompletionDate

planned_costField for plannedCost

planned_date_alignmentField for plannedDateAlignment

planned_durationField for plannedDuration

planned_duration_minutesField for plannedDurationMinutes

planned_expense_costField for plannedExpenseCost

planned_hours_alignmentField for plannedHoursAlignment

2.2. API Reference 427

python-workfront Documentation, Release 0.8.0

planned_labor_costField for plannedLaborCost

planned_revenueField for plannedRevenue

planned_start_dateField for plannedStartDate

predecessor_expressionField for predecessorExpression

predecessorsCollection for predecessors

previous_statusField for previousStatus

primary_assignmentReference for primaryAssignment

priorityField for priority

progress_statusField for progressStatus

projectReference for project

project_idField for projectID

projected_completion_dateField for projectedCompletionDate

projected_duration_minutesField for projectedDurationMinutes

projected_start_dateField for projectedStartDate

queue_topicReference for queueTopic

queue_topic_breadcrumbField for queueTopicBreadcrumb

queue_topic_idField for queueTopicID

recurrence_numberField for recurrenceNumber

recurrence_ruleReference for recurrenceRule

recurrence_rule_idField for recurrenceRuleID

reference_numberField for referenceNumber

428 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

reference_obj_codeField for referenceObjCode

reference_obj_idField for referenceObjID

rejection_issueReference for rejectionIssue

rejection_issue_idField for rejectionIssueID

remaining_duration_minutesField for remainingDurationMinutes

reserved_timeReference for reservedTime

reserved_time_idField for reservedTimeID

resolution_timeField for resolutionTime

resolvablesCollection for resolvables

resolve_op_taskReference for resolveOpTask

resolve_op_task_idField for resolveOpTaskID

resolve_projectReference for resolveProject

resolve_project_idField for resolveProjectID

resolve_taskReference for resolveTask

resolve_task_idField for resolveTaskID

resolving_obj_codeField for resolvingObjCode

resolving_obj_idField for resolvingObjID

resource_scopeField for resourceScope

revenue_typeField for revenueType

roleReference for role

role_idField for roleID

2.2. API Reference 429

python-workfront Documentation, Release 0.8.0

security_ancestorsCollection for securityAncestors

security_ancestors_disabledField for securityAncestorsDisabled

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

severityField for severity

show_commit_dateField for showCommitDate

show_conditionField for showCondition

show_statusField for showStatus

slack_dateField for slackDate

source_obj_codeField for sourceObjCode

source_obj_idField for sourceObjID

source_taskReference for sourceTask

source_task_idField for sourceTaskID

spiField for spi

statusField for status

status_equates_withField for statusEquatesWith

status_updateField for statusUpdate

submitted_byReference for submittedBy

submitted_by_idField for submittedByID

successorsCollection for successors

task_constraintField for taskConstraint

430 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

task_numberField for taskNumber

task_number_predecessor_stringField for taskNumberPredecessorString

teamReference for team

team_assignmentReference for teamAssignment

team_idField for teamID

team_request_count(filters=None)The teamRequestCount action.

Parameters filters – filters (type: map)

Returns java.lang.Integer

team_requests_count()The teamRequestsCount action.

Returns map

template_taskReference for templateTask

template_task_idField for templateTaskID

tracking_modeField for trackingMode

updatesCollection for updates

urlField for URL

url_Field for url

versionField for version

wbsField for wbs

workField for work

work_itemReference for workItem

work_requiredField for workRequired

work_required_expressionField for workRequiredExpression

work_unitField for workUnit

2.2. API Reference 431

python-workfront Documentation, Release 0.8.0

class workfront.versions.unsupported.WorkItem(session=None, **fields)Object for WRKITM

accessor_idsField for accessorIDs

assignmentReference for assignment

assignment_idField for assignmentID

customerReference for customer

customer_idField for customerID

done_dateField for doneDate

ext_ref_idField for extRefID

is_deadField for isDead

is_doneField for isDone

last_viewed_dateField for lastViewedDate

make_top_priority(obj_code=None, assignable_id=None, user_id=None)The makeTopPriority action.

Parameters

• obj_code – objCode (type: string)

• assignable_id – assignableID (type: string)

• user_id – userID (type: string)

mark_viewed()The markViewed action.

obj_idField for objID

obj_obj_codeField for objObjCode

op_taskReference for opTask

op_task_idField for opTaskID

priorityField for priority

projectReference for project

432 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

project_idField for projectID

reference_object_commit_dateField for referenceObjectCommitDate

reference_object_nameField for referenceObjectName

security_root_idField for securityRootID

security_root_obj_codeField for securityRootObjCode

snooze_dateField for snoozeDate

taskReference for task

task_idField for taskID

userReference for user

user_idField for userID

2.3 Development

This package is developed using continuous integration which can be found here:

https://travis-ci.org/cjw296/python-workfront

The latest development version of the documentation can be found here:

http://python-workfront.readthedocs.org/en/latest/

If you wish to contribute to this project, then you should fork the repository found here:

https://github.com/cjw296/python-workfront/

Once that has been done and you have a checkout, you can follow these instructions to perform various developmenttasks:

2.3.1 Setting up a virtualenv

The recommended way to set up a development environment is to turn your checkout into a virtualenv and then installthe package in editable form as follows:

$ virtualenv .$ bin/pip install -U -e .[test,build]

2.3. Development 433

python-workfront Documentation, Release 0.8.0

2.3.2 Running the tests

Once you’ve set up a virtualenv, the tests can be run as follows:

$ bin/nosetests

2.3.3 Building the documentation

The Sphinx documentation is built by doing the following from the directory containing setup.py:

$ source bin/activate$ cd docs$ make html

To check that the description that will be used on PyPI renders properly, do the following:

$ python setup.py --long-description | rst2html.py > desc.html

The resulting desc.html should be checked by opening in a browser.

To check that the README that will be used on GitHub renders properly, do the following:

$ cat README.rst | rst2html.py > readme.html

The resulting readme.html should be checked by opening in a browser.

2.3.4 Making a release

To make a release, just update the version in setup.py, update the change log, tag it and push tohttps://github.com/cjw296/python-workfront and Travis CI should take care of the rest.

Once Travis CI is done, make sure to go to https://readthedocs.org/projects/python-workfront/versions/ and make surethe new release is marked as an Active Version.

2.3.5 Adding a new version of the Workfront API

1. Build the generated module:

$ python -u -m workfront.generate --log-level 0 --version v5.0

2. Wire in any mixins in the __init__.py of the generated package.

3. Wire the new version into api.rst.

2.4 Changes

2.4.1 0.8.0 (19 February 2016)

• Narrative usage documentation added.

434 Chapter 2. Detailed Documentation

python-workfront Documentation, Release 0.8.0

2.4.2 0.7.0 (17 February 2016)

• Add Quickstart and API documentation.

• Add actions to the reflected object model.

• Add a caching later to workfront.generate for faster repeated generation of the reflected object model.

• Simplify the package and module structure of the reflected object model.

2.4.3 0.6.1 (12 February 2016)

• Fix brown bag release that had import errors and didn’t work under Python 3 at all!

2.4.4 0.6.0 (11 February 2016)

• Python 3 support added.

2.4.5 0.3.2 (10 February 2016)

• Python 2 only release to PyPI.

2.4.6 0.3.0 (10 February 2016)

• Re-work of object model to support multiple API versions

• Full test coverage.

2.4.7 0.0dev0 (21 August 2015)

• Initial prototype made available on GitHub

2.5 License

Copyright (c) 2015-2016 Jump Systems LLC

Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documen-tation files (the “Software”), to deal in the Software without restriction, including without limitation the rights to use,copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whomthe Software is furnished to do so, subject to the following conditions:

The above copyright notice and this permission notice shall be included in all copies or substantial portions of theSoftware.

THE SOFTWARE IS PROVIDED “AS IS”, WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED,INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PAR-TICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHTHOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTIONOF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFT-WARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.

2.5. License 435

python-workfront Documentation, Release 0.8.0

436 Chapter 2. Detailed Documentation

CHAPTER 3

Indices and tables

• genindex

• modindex

• search

437

python-workfront Documentation, Release 0.8.0

438 Chapter 3. Indices and tables

Python Module Index

wworkfront.meta, 11workfront.session, 10workfront.versions.unsupported, 157workfront.versions.v40, 12

439

python-workfront Documentation, Release 0.8.0

440 Python Module Index

Index

Aaccept_license_agreement() (work-

front.versions.unsupported.Customer method),222

accept_work() (workfront.versions.unsupported.Issuemethod), 274

accept_work() (workfront.versions.unsupported.Taskmethod), 362

accept_work() (workfront.versions.v40.Issue method), 61accept_work() (workfront.versions.v40.Task method),

109access_count (workfront.versions.unsupported.BackgroundJob

attribute), 201access_count (workfront.versions.v40.BackgroundJob at-

tribute), 33access_level (workfront.versions.unsupported.AccessLevelPermissions

attribute), 160access_level (workfront.versions.unsupported.AccessRulePreference

attribute), 163access_level (workfront.versions.unsupported.AccessScopeAction

attribute), 164access_level (workfront.versions.unsupported.User at-

tribute), 402access_level_id (workfront.versions.unsupported.AccessLevelPermissions

attribute), 160access_level_id (workfront.versions.unsupported.AccessRulePreference

attribute), 163access_level_id (workfront.versions.unsupported.AccessScopeAction

attribute), 165access_level_id (workfront.versions.unsupported.User at-

tribute), 402access_level_id (workfront.versions.v40.User attribute),

138access_level_permissions (work-

front.versions.unsupported.AccessLevelattribute), 157

access_levels (workfront.versions.unsupported.AppGlobalattribute), 172

access_levels (workfront.versions.unsupported.Customerattribute), 222

access_request (workfront.versions.unsupported.AwaitingApprovalattribute), 200

access_request_id (work-front.versions.unsupported.AwaitingApprovalattribute), 200

access_restrictions (work-front.versions.unsupported.AccessLevelattribute), 157

access_rule_preferences (work-front.versions.unsupported.AccessLevelattribute), 157

access_rule_preferences (work-front.versions.unsupported.Template attribute),376

access_rule_preferences (work-front.versions.unsupported.User attribute),402

access_rules (workfront.versions.unsupported.Approvalattribute), 173

access_rules (workfront.versions.unsupported.CalendarInfoattribute), 209

access_rules (workfront.versions.unsupported.Categoryattribute), 212

access_rules (workfront.versions.unsupported.Documentattribute), 233

access_rules (workfront.versions.unsupported.Issue at-tribute), 274

access_rules (workfront.versions.unsupported.PortalSectionattribute), 311

access_rules (workfront.versions.unsupported.PortalTabattribute), 315

access_rules (workfront.versions.unsupported.Portfolioattribute), 318

access_rules (workfront.versions.unsupported.Programattribute), 320

access_rules (workfront.versions.unsupported.Project at-tribute), 322

access_rules (workfront.versions.unsupported.Task at-tribute), 362

access_rules (workfront.versions.unsupported.Templateattribute), 376

441

python-workfront Documentation, Release 0.8.0

access_rules (workfront.versions.unsupported.UIFilterattribute), 394

access_rules (workfront.versions.unsupported.UIGroupByattribute), 396

access_rules (workfront.versions.unsupported.UIView at-tribute), 397

access_rules (workfront.versions.unsupported.Work at-tribute), 420

access_rules (workfront.versions.v40.Approval attribute),13

access_rules (workfront.versions.v40.Document at-tribute), 46

access_rules (workfront.versions.v40.Issue attribute), 61access_rules (workfront.versions.v40.Portfolio attribute),

81access_rules (workfront.versions.v40.Program attribute),

83access_rules (workfront.versions.v40.Project attribute),

85access_rules (workfront.versions.v40.Task attribute), 109access_rules (workfront.versions.v40.Template attribute),

121access_rules (workfront.versions.v40.UIFilter attribute),

132access_rules (workfront.versions.v40.UIGroupBy at-

tribute), 133access_rules (workfront.versions.v40.UIView attribute),

135access_rules (workfront.versions.v40.Work attribute),

145access_rules_per_object_limit (work-

front.versions.unsupported.Customer attribute),222

access_scope (workfront.versions.unsupported.AccessScopeActionattribute), 165

access_scope_actions (work-front.versions.unsupported.AccessLevelattribute), 157

access_scope_id (work-front.versions.unsupported.AccessScopeActionattribute), 165

access_scopes (workfront.versions.unsupported.AppGlobalattribute), 172

access_scopes (workfront.versions.unsupported.Customerattribute), 222

AccessLevel (class in workfront.versions.unsupported),157

AccessLevelPermissions (class in work-front.versions.unsupported), 160

accessor_id (workfront.versions.unsupported.AccessRuleattribute), 162

accessor_id (workfront.versions.unsupported.AccessRulePreferenceattribute), 163

accessor_id (workfront.versions.unsupported.CategoryAccessRule

attribute), 215accessor_id (workfront.versions.v40.AccessRule at-

tribute), 12accessor_ids (workfront.versions.unsupported.Approval

attribute), 173accessor_ids (workfront.versions.unsupported.ApprovalProcess

attribute), 190accessor_ids (workfront.versions.unsupported.Assignment

attribute), 194accessor_ids (workfront.versions.unsupported.BillingRecord

attribute), 206accessor_ids (workfront.versions.unsupported.CalendarInfo

attribute), 209accessor_ids (workfront.versions.unsupported.Category

attribute), 212accessor_ids (workfront.versions.unsupported.Document

attribute), 233accessor_ids (workfront.versions.unsupported.DocumentFolder

attribute), 242accessor_ids (workfront.versions.unsupported.DocumentRequest

attribute), 247accessor_ids (workfront.versions.unsupported.DocumentShare

attribute), 249accessor_ids (workfront.versions.unsupported.DocumentVersion

attribute), 250accessor_ids (workfront.versions.unsupported.ExchangeRate

attribute), 258accessor_ids (workfront.versions.unsupported.Expense

attribute), 259accessor_ids (workfront.versions.unsupported.Hour at-

tribute), 269accessor_ids (workfront.versions.unsupported.Issue at-

tribute), 274accessor_ids (workfront.versions.unsupported.JournalEntry

attribute), 284accessor_ids (workfront.versions.unsupported.Note at-

tribute), 300accessor_ids (workfront.versions.unsupported.PortalSection

attribute), 311accessor_ids (workfront.versions.unsupported.PortalTab

attribute), 315accessor_ids (workfront.versions.unsupported.Portfolio

attribute), 318accessor_ids (workfront.versions.unsupported.Program

attribute), 320accessor_ids (workfront.versions.unsupported.Project at-

tribute), 322accessor_ids (workfront.versions.unsupported.QueueDef

attribute), 336accessor_ids (workfront.versions.unsupported.QueueTopic

attribute), 338accessor_ids (workfront.versions.unsupported.QueueTopicGroup

attribute), 339accessor_ids (workfront.versions.unsupported.Rate at-

442 Index

python-workfront Documentation, Release 0.8.0

tribute), 340accessor_ids (workfront.versions.unsupported.ResourceAllocation

attribute), 345accessor_ids (workfront.versions.unsupported.Risk at-

tribute), 346accessor_ids (workfront.versions.unsupported.RoutingRule

attribute), 349accessor_ids (workfront.versions.unsupported.ScoreCard

attribute), 357accessor_ids (workfront.versions.unsupported.SharingSettings

attribute), 360accessor_ids (workfront.versions.unsupported.Task at-

tribute), 362accessor_ids (workfront.versions.unsupported.Template

attribute), 376accessor_ids (workfront.versions.unsupported.TemplateAssignment

attribute), 382accessor_ids (workfront.versions.unsupported.TemplateTask

attribute), 383accessor_ids (workfront.versions.unsupported.UIFilter

attribute), 394accessor_ids (workfront.versions.unsupported.UIGroupBy

attribute), 396accessor_ids (workfront.versions.unsupported.UIView at-

tribute), 397accessor_ids (workfront.versions.unsupported.Work at-

tribute), 420accessor_ids (workfront.versions.unsupported.WorkItem

attribute), 432accessor_obj_code (work-

front.versions.unsupported.AccessRule at-tribute), 162

accessor_obj_code (work-front.versions.unsupported.AccessRulePreferenceattribute), 163

accessor_obj_code (work-front.versions.unsupported.CategoryAccessRuleattribute), 215

accessor_obj_code (work-front.versions.unsupported.DocumentShareattribute), 249

accessor_obj_code (work-front.versions.unsupported.EndorsementShareattribute), 256

accessor_obj_code (workfront.versions.v40.AccessRuleattribute), 12

accessor_obj_id (work-front.versions.unsupported.DocumentShareattribute), 249

accessor_obj_id (work-front.versions.unsupported.EndorsementShareattribute), 256

AccessRequest (class in work-front.versions.unsupported), 160

AccessRule (class in workfront.versions.unsupported),162

AccessRule (class in workfront.versions.v40), 12AccessRulePreference (class in work-

front.versions.unsupported), 163AccessScope (class in workfront.versions.unsupported),

164AccessScopeAction (class in work-

front.versions.unsupported), 164AccessToken (class in workfront.versions.unsupported),

165account_rep (workfront.versions.unsupported.Customer

attribute), 222account_rep_id (workfront.versions.unsupported.Customer

attribute), 222account_rep_id (workfront.versions.v40.Customer

attribute), 41account_representative (work-

front.versions.unsupported.Customer attribute),222

account_reps (workfront.versions.unsupported.Resellerattribute), 344

AccountRep (class in workfront.versions.unsupported),166

acknowledge() (workfront.versions.unsupported.Acknowledgementmethod), 167

acknowledge() (workfront.versions.unsupported.UserNotemethod), 413

acknowledge_all() (work-front.versions.unsupported.UserNote method),413

acknowledge_many() (work-front.versions.unsupported.Acknowledgementmethod), 167

acknowledge_many() (work-front.versions.unsupported.UserNote method),413

Acknowledgement (class in work-front.versions.unsupported), 166

acknowledgement (work-front.versions.unsupported.UserNote attribute),413

acknowledgement_id (work-front.versions.unsupported.UserNote attribute),413

acknowledgement_type (work-front.versions.unsupported.Acknowledgementattribute), 167

action (workfront.versions.unsupported.AccessRequestattribute), 161

action (workfront.versions.unsupported.AccessToken at-tribute), 165

action (workfront.versions.unsupported.JournalField at-tribute), 288

Index 443

python-workfront Documentation, Release 0.8.0

action_count (workfront.versions.unsupported.AuditLoginAsSessionattribute), 195

actions (workfront.versions.unsupported.AccessScopeActionattribute), 165

actions (workfront.versions.unsupported.MetaRecord at-tribute), 297

active_directory_domain (work-front.versions.unsupported.SSOOption at-tribute), 351

actual_allocation_percentage (work-front.versions.unsupported.UserResourceattribute), 417

actual_amount (workfront.versions.unsupported.Expenseattribute), 259

actual_amount (workfront.versions.v40.Expense at-tribute), 53

actual_benefit (workfront.versions.unsupported.Approvalattribute), 173

actual_benefit (workfront.versions.unsupported.Projectattribute), 322

actual_benefit (workfront.versions.v40.Approval at-tribute), 13

actual_benefit (workfront.versions.v40.Project attribute),85

actual_completion_date (work-front.versions.unsupported.Approval attribute),173

actual_completion_date (work-front.versions.unsupported.Baseline attribute),203

actual_completion_date (work-front.versions.unsupported.BaselineTaskattribute), 204

actual_completion_date (work-front.versions.unsupported.Issue attribute),274

actual_completion_date (work-front.versions.unsupported.Project attribute),322

actual_completion_date (work-front.versions.unsupported.Task attribute),362

actual_completion_date (work-front.versions.unsupported.Work attribute),420

actual_completion_date (work-front.versions.v40.Approval attribute), 13

actual_completion_date (work-front.versions.v40.Baseline attribute), 33

actual_completion_date (work-front.versions.v40.BaselineTask attribute),35

actual_completion_date (workfront.versions.v40.Issue at-tribute), 61

actual_completion_date (workfront.versions.v40.Projectattribute), 85

actual_completion_date (workfront.versions.v40.Task at-tribute), 109

actual_completion_date (workfront.versions.v40.Workattribute), 145

actual_cost (workfront.versions.unsupported.Approvalattribute), 173

actual_cost (workfront.versions.unsupported.Baseline at-tribute), 203

actual_cost (workfront.versions.unsupported.BaselineTaskattribute), 204

actual_cost (workfront.versions.unsupported.Hourattribute), 269

actual_cost (workfront.versions.unsupported.Issueattribute), 274

actual_cost (workfront.versions.unsupported.Project at-tribute), 322

actual_cost (workfront.versions.unsupported.Risk at-tribute), 346

actual_cost (workfront.versions.unsupported.Task at-tribute), 362

actual_cost (workfront.versions.unsupported.Workattribute), 420

actual_cost (workfront.versions.v40.Approval attribute),13

actual_cost (workfront.versions.v40.Baseline attribute),33

actual_cost (workfront.versions.v40.BaselineTask at-tribute), 35

actual_cost (workfront.versions.v40.Hour attribute), 58actual_cost (workfront.versions.v40.Issue attribute), 61actual_cost (workfront.versions.v40.Project attribute), 85actual_cost (workfront.versions.v40.Risk attribute), 101actual_cost (workfront.versions.v40.Task attribute), 109actual_cost (workfront.versions.v40.Work attribute), 145actual_day_summaries (work-

front.versions.unsupported.UserResourceattribute), 417

actual_duration (workfront.versions.unsupported.Approvalattribute), 173

actual_duration (workfront.versions.unsupported.Task at-tribute), 362

actual_duration (workfront.versions.unsupported.Workattribute), 420

actual_duration (workfront.versions.v40.Approvalattribute), 13

actual_duration (workfront.versions.v40.Task attribute),109

actual_duration (workfront.versions.v40.Work attribute),145

actual_duration_expression (work-front.versions.unsupported.Approval attribute),173

444 Index

python-workfront Documentation, Release 0.8.0

actual_duration_expression (work-front.versions.unsupported.Project attribute),322

actual_duration_expression (work-front.versions.v40.Approval attribute), 13

actual_duration_expression (work-front.versions.v40.Project attribute), 85

actual_duration_minutes (work-front.versions.unsupported.Approval attribute),173

actual_duration_minutes (work-front.versions.unsupported.Baseline attribute),203

actual_duration_minutes (work-front.versions.unsupported.BaselineTaskattribute), 204

actual_duration_minutes (work-front.versions.unsupported.Project attribute),322

actual_duration_minutes (work-front.versions.unsupported.Task attribute),362

actual_duration_minutes (work-front.versions.unsupported.Work attribute),420

actual_duration_minutes (work-front.versions.v40.Approval attribute), 13

actual_duration_minutes (work-front.versions.v40.Baseline attribute), 34

actual_duration_minutes (work-front.versions.v40.BaselineTask attribute),35

actual_duration_minutes (workfront.versions.v40.Projectattribute), 85

actual_duration_minutes (workfront.versions.v40.Taskattribute), 109

actual_duration_minutes (workfront.versions.v40.Workattribute), 145

actual_expense_cost (work-front.versions.unsupported.Approval attribute),173

actual_expense_cost (work-front.versions.unsupported.FinancialDataattribute), 267

actual_expense_cost (work-front.versions.unsupported.Project attribute),322

actual_expense_cost (work-front.versions.unsupported.Task attribute),362

actual_expense_cost (work-front.versions.unsupported.Work attribute),420

actual_expense_cost (workfront.versions.v40.Approval

attribute), 13actual_expense_cost (work-

front.versions.v40.FinancialData attribute),56

actual_expense_cost (workfront.versions.v40.Project at-tribute), 85

actual_expense_cost (workfront.versions.v40.Taskattribute), 109

actual_expense_cost (workfront.versions.v40.Work at-tribute), 145

actual_fixed_revenue (work-front.versions.unsupported.FinancialDataattribute), 267

actual_fixed_revenue (work-front.versions.v40.FinancialData attribute),56

actual_hours_last_month (work-front.versions.unsupported.Approval attribute),173

actual_hours_last_month (work-front.versions.unsupported.Project attribute),322

actual_hours_last_month (work-front.versions.v40.Approval attribute), 13

actual_hours_last_month (workfront.versions.v40.Projectattribute), 85

actual_hours_last_three_months (work-front.versions.unsupported.Approval attribute),173

actual_hours_last_three_months (work-front.versions.unsupported.Project attribute),323

actual_hours_last_three_months (work-front.versions.v40.Approval attribute), 13

actual_hours_last_three_months (work-front.versions.v40.Project attribute), 85

actual_hours_this_month (work-front.versions.unsupported.Approval attribute),173

actual_hours_this_month (work-front.versions.unsupported.Project attribute),323

actual_hours_this_month (work-front.versions.v40.Approval attribute), 13

actual_hours_this_month (work-front.versions.v40.Project attribute), 85

actual_hours_two_months_ago (work-front.versions.unsupported.Approval attribute),173

actual_hours_two_months_ago (work-front.versions.unsupported.Project attribute),323

actual_hours_two_months_ago (work-front.versions.v40.Approval attribute), 13

Index 445

python-workfront Documentation, Release 0.8.0

actual_hours_two_months_ago (work-front.versions.v40.Project attribute), 85

actual_labor_cost (work-front.versions.unsupported.Approval attribute),173

actual_labor_cost (work-front.versions.unsupported.FinancialDataattribute), 267

actual_labor_cost (work-front.versions.unsupported.Project attribute),323

actual_labor_cost (workfront.versions.unsupported.Taskattribute), 362

actual_labor_cost (workfront.versions.unsupported.Workattribute), 420

actual_labor_cost (workfront.versions.v40.Approval at-tribute), 13

actual_labor_cost (workfront.versions.v40.FinancialDataattribute), 57

actual_labor_cost (workfront.versions.v40.Project at-tribute), 85

actual_labor_cost (workfront.versions.v40.Task at-tribute), 109

actual_labor_cost (workfront.versions.v40.Work at-tribute), 145

actual_labor_cost_hours (work-front.versions.unsupported.FinancialDataattribute), 267

actual_labor_cost_hours (work-front.versions.v40.FinancialData attribute),57

actual_labor_revenue (work-front.versions.unsupported.FinancialDataattribute), 267

actual_labor_revenue (work-front.versions.v40.FinancialData attribute),57

actual_revenue (workfront.versions.unsupported.Approvalattribute), 173

actual_revenue (workfront.versions.unsupported.Projectattribute), 323

actual_revenue (workfront.versions.unsupported.Task at-tribute), 362

actual_revenue (workfront.versions.unsupported.Work at-tribute), 420

actual_revenue (workfront.versions.v40.Approval at-tribute), 13

actual_revenue (workfront.versions.v40.Project at-tribute), 85

actual_revenue (workfront.versions.v40.Task attribute),109

actual_revenue (workfront.versions.v40.Work attribute),145

actual_risk_cost (work-

front.versions.unsupported.Approval attribute),173

actual_risk_cost (workfront.versions.unsupported.Projectattribute), 323

actual_risk_cost (workfront.versions.v40.Approvalattribute), 13

actual_risk_cost (workfront.versions.v40.Project at-tribute), 85

actual_start_date (work-front.versions.unsupported.Approval attribute),173

actual_start_date (work-front.versions.unsupported.Baseline attribute),203

actual_start_date (work-front.versions.unsupported.BaselineTaskattribute), 204

actual_start_date (workfront.versions.unsupported.Issueattribute), 274

actual_start_date (work-front.versions.unsupported.Project attribute),323

actual_start_date (workfront.versions.unsupported.Taskattribute), 362

actual_start_date (workfront.versions.unsupported.Workattribute), 420

actual_start_date (workfront.versions.v40.Approval at-tribute), 13

actual_start_date (workfront.versions.v40.Baselineattribute), 34

actual_start_date (workfront.versions.v40.BaselineTaskattribute), 35

actual_start_date (workfront.versions.v40.Issue at-tribute), 61

actual_start_date (workfront.versions.v40.Project at-tribute), 85

actual_start_date (workfront.versions.v40.Task attribute),109

actual_start_date (workfront.versions.v40.Work at-tribute), 145

actual_subject (workfront.versions.unsupported.Announcementattribute), 167

actual_unit_amount (work-front.versions.unsupported.Expense attribute),259

actual_unit_amount (workfront.versions.v40.Expense at-tribute), 53

actual_value (workfront.versions.unsupported.Approvalattribute), 173

actual_value (workfront.versions.unsupported.Project at-tribute), 323

actual_value (workfront.versions.v40.Approval attribute),13

actual_value (workfront.versions.v40.Project attribute),

446 Index

python-workfront Documentation, Release 0.8.0

85actual_work (workfront.versions.unsupported.Approval

attribute), 173actual_work (workfront.versions.unsupported.Task at-

tribute), 362actual_work (workfront.versions.unsupported.Work at-

tribute), 420actual_work (workfront.versions.v40.Approval attribute),

14actual_work (workfront.versions.v40.Task attribute), 109actual_work (workfront.versions.v40.Work attribute),

145actual_work_completed (work-

front.versions.unsupported.Assignment at-tribute), 194

actual_work_per_day_start_date (work-front.versions.unsupported.Assignment at-tribute), 194

actual_work_required (work-front.versions.unsupported.Approval attribute),173

actual_work_required (work-front.versions.unsupported.Baseline attribute),203

actual_work_required (work-front.versions.unsupported.BaselineTaskattribute), 204

actual_work_required (work-front.versions.unsupported.Issue attribute),274

actual_work_required (work-front.versions.unsupported.Project attribute),323

actual_work_required (work-front.versions.unsupported.Task attribute),362

actual_work_required (work-front.versions.unsupported.Work attribute),420

actual_work_required (workfront.versions.v40.Approvalattribute), 14

actual_work_required (workfront.versions.v40.Baselineattribute), 34

actual_work_required (work-front.versions.v40.BaselineTask attribute),35

actual_work_required (workfront.versions.v40.Issue at-tribute), 61

actual_work_required (workfront.versions.v40.Project at-tribute), 86

actual_work_required (workfront.versions.v40.Task at-tribute), 109

actual_work_required (workfront.versions.v40.Work at-tribute), 145

actual_work_required_expression (work-front.versions.unsupported.Approval attribute),174

actual_work_required_expression (work-front.versions.unsupported.Issue attribute),274

actual_work_required_expression (work-front.versions.unsupported.Project attribute),323

actual_work_required_expression (work-front.versions.unsupported.Work attribute),420

actual_work_required_expression (work-front.versions.v40.Approval attribute), 14

actual_work_required_expression (work-front.versions.v40.Issue attribute), 61

actual_work_required_expression (work-front.versions.v40.Project attribute), 86

actual_work_required_expression (work-front.versions.v40.Work attribute), 146

add_comment() (workfront.versions.unsupported.Issuemethod), 274

add_comment() (workfront.versions.unsupported.Notemethod), 300

add_comment() (workfront.versions.unsupported.Taskmethod), 362

add_comment() (workfront.versions.v40.Issue method),61

add_comment() (workfront.versions.v40.Note method),75

add_comment() (workfront.versions.v40.Task method),109

add_customer_feedback_improvement() (work-front.versions.unsupported.User method),402

add_customer_feedback_score_rating() (work-front.versions.unsupported.User method),402

add_document_version() (work-front.versions.unsupported.DocumentVersionmethod), 250

add_early_access() (work-front.versions.unsupported.Company method),217

add_early_access() (work-front.versions.unsupported.Group method),268

add_early_access() (work-front.versions.unsupported.Role method),348

add_early_access() (work-front.versions.unsupported.Team method),374

add_early_access() (work-

Index 447

python-workfront Documentation, Release 0.8.0

front.versions.unsupported.User method),402

add_external_user() (work-front.versions.unsupported.User method),402

add_mobile_device() (work-front.versions.unsupported.User method),402

add_note_to_objects() (work-front.versions.unsupported.Note method),300

add_op_task_style (work-front.versions.unsupported.QueueDef at-tribute), 336

add_op_task_style (workfront.versions.v40.QueueDef at-tribute), 96

add_team_note() (work-front.versions.unsupported.UserNote method),413

add_teams_notes() (work-front.versions.unsupported.UserNote method),413

add_user_note() (work-front.versions.unsupported.UserNote method),414

add_users_notes() (work-front.versions.unsupported.UserNote method),414

address (workfront.versions.unsupported.Customer at-tribute), 222

address (workfront.versions.unsupported.Reseller at-tribute), 344

address (workfront.versions.unsupported.User attribute),402

address (workfront.versions.v40.Customer attribute), 41address (workfront.versions.v40.User attribute), 138address2 (workfront.versions.unsupported.Customer at-

tribute), 222address2 (workfront.versions.unsupported.Reseller

attribute), 344address2 (workfront.versions.unsupported.User at-

tribute), 402address2 (workfront.versions.v40.Customer attribute), 41address2 (workfront.versions.v40.User attribute), 138adhoc_team (workfront.versions.unsupported.TeamMember

attribute), 376admin_acct_name (work-

front.versions.unsupported.Customer attribute),222

admin_acct_name (workfront.versions.v40.Customer at-tribute), 41

admin_acct_password (work-front.versions.unsupported.Customer attribute),222

admin_acct_password (workfront.versions.v40.Customerattribute), 41

admin_level (workfront.versions.unsupported.AccountRepattribute), 166

admin_user (workfront.versions.unsupported.Customerattribute), 222

admin_user_id (workfront.versions.unsupported.Customerattribute), 222

advanced_copy() (work-front.versions.unsupported.PortalTab method),316

advanced_proofing_options (work-front.versions.unsupported.Document at-tribute), 233

advanced_proofing_options (work-front.versions.unsupported.DocumentVersionattribute), 250

age_range_as_string (work-front.versions.unsupported.Approval attribute),174

age_range_as_string (work-front.versions.unsupported.Issue attribute),274

age_range_as_string (work-front.versions.unsupported.Work attribute),420

age_range_as_string (workfront.versions.v40.Approvalattribute), 14

age_range_as_string (workfront.versions.v40.Issue at-tribute), 61

age_range_as_string (workfront.versions.v40.Work at-tribute), 146

aligned (workfront.versions.unsupported.Portfolioattribute), 318

aligned (workfront.versions.v40.Portfolio attribute), 81alignment (workfront.versions.unsupported.Approval at-

tribute), 174alignment (workfront.versions.unsupported.Project at-

tribute), 323alignment (workfront.versions.v40.Approval attribute),

14alignment (workfront.versions.v40.Project attribute), 86alignment_score_card (work-

front.versions.unsupported.Approval attribute),174

alignment_score_card (work-front.versions.unsupported.Portfolio attribute),318

alignment_score_card (work-front.versions.unsupported.Project attribute),323

alignment_score_card (workfront.versions.v40.Approvalattribute), 14

alignment_score_card (workfront.versions.v40.Portfolio

448 Index

python-workfront Documentation, Release 0.8.0

attribute), 81alignment_score_card (workfront.versions.v40.Project

attribute), 86alignment_score_card_id (work-

front.versions.unsupported.Approval attribute),174

alignment_score_card_id (work-front.versions.unsupported.Portfolio attribute),318

alignment_score_card_id (work-front.versions.unsupported.Project attribute),323

alignment_score_card_id (work-front.versions.v40.Approval attribute), 14

alignment_score_card_id (work-front.versions.v40.Portfolio attribute), 81

alignment_score_card_id (work-front.versions.v40.Project attribute), 86

alignment_values (work-front.versions.unsupported.Approval attribute),174

alignment_values (work-front.versions.unsupported.Project attribute),323

alignment_values (workfront.versions.v40.Approval at-tribute), 14

alignment_values (workfront.versions.v40.Project at-tribute), 86

all_accessed_users() (work-front.versions.unsupported.AuditLoginAsSessionmethod), 195

all_admins() (workfront.versions.unsupported.AuditLoginAsSessionmethod), 195

all_approved_hours (work-front.versions.unsupported.Approval attribute),174

all_approved_hours (work-front.versions.unsupported.Project attribute),323

all_approved_hours (workfront.versions.v40.Approval at-tribute), 14

all_approved_hours (workfront.versions.v40.Project at-tribute), 86

all_hours (workfront.versions.unsupported.Approval at-tribute), 174

all_hours (workfront.versions.unsupported.Projectattribute), 323

all_hours (workfront.versions.v40.Approval attribute), 14all_hours (workfront.versions.v40.Project attribute), 86all_priorities (workfront.versions.unsupported.Approval

attribute), 174all_priorities (workfront.versions.unsupported.Issue at-

tribute), 274all_priorities (workfront.versions.unsupported.Project at-

tribute), 323all_priorities (workfront.versions.unsupported.Task at-

tribute), 362all_priorities (workfront.versions.unsupported.Work at-

tribute), 421all_priorities (workfront.versions.v40.Approval at-

tribute), 14all_priorities (workfront.versions.v40.Issue attribute), 61all_priorities (workfront.versions.v40.Project attribute),

86all_priorities (workfront.versions.v40.Task attribute), 109all_priorities (workfront.versions.v40.Work attribute),

146all_severities (workfront.versions.unsupported.Approval

attribute), 174all_severities (workfront.versions.unsupported.Issue at-

tribute), 274all_severities (workfront.versions.unsupported.Work at-

tribute), 421all_severities (workfront.versions.v40.Approval at-

tribute), 14all_severities (workfront.versions.v40.Issue attribute), 61all_severities (workfront.versions.v40.Work attribute),

146all_statuses (workfront.versions.unsupported.Approval

attribute), 174all_statuses (workfront.versions.unsupported.Issue

attribute), 274all_statuses (workfront.versions.unsupported.Project at-

tribute), 323all_statuses (workfront.versions.unsupported.Task at-

tribute), 362all_statuses (workfront.versions.unsupported.Work at-

tribute), 421all_statuses (workfront.versions.v40.Approval attribute),

14all_statuses (workfront.versions.v40.Issue attribute), 61all_statuses (workfront.versions.v40.Project attribute), 86all_statuses (workfront.versions.v40.Task attribute), 109all_statuses (workfront.versions.v40.Work attribute), 146all_unapproved_hours (work-

front.versions.unsupported.Approval attribute),174

all_unapproved_hours (work-front.versions.unsupported.Project attribute),323

all_unapproved_hours (workfront.versions.v40.Approvalattribute), 14

all_unapproved_hours (workfront.versions.v40.Projectattribute), 86

allocation_date (workfront.versions.unsupported.ResourceAllocationattribute), 345

allocation_date (workfront.versions.v40.ResourceAllocationattribute), 100

Index 449

python-workfront Documentation, Release 0.8.0

allocation_percentage (work-front.versions.unsupported.UserResourceattribute), 417

allocationdate (workfront.versions.unsupported.FinancialDataattribute), 267

allocationdate (workfront.versions.v40.FinancialData at-tribute), 57

allow_non_view_external (work-front.versions.unsupported.AccessScopeattribute), 164

allow_non_view_hd (work-front.versions.unsupported.AccessScopeattribute), 164

allow_non_view_review (work-front.versions.unsupported.AccessScopeattribute), 164

allow_non_view_team (work-front.versions.unsupported.AccessScopeattribute), 164

allow_non_view_ts (work-front.versions.unsupported.AccessScopeattribute), 164

allowed_actions (work-front.versions.unsupported.ApprovalProcessAttachableattribute), 191

allowed_actions (workfront.versions.unsupported.Avatarattribute), 198

allowed_actions (work-front.versions.unsupported.CalendarFeedEntryattribute), 208

allowed_actions (work-front.versions.unsupported.ExternalDocumentattribute), 262

allowed_actions (work-front.versions.unsupported.MessageArgattribute), 297

allowed_actions (work-front.versions.unsupported.RecentMenuItemattribute), 341

allowed_actions (workfront.versions.unsupported.Updateattribute), 399

allowed_actions (work-front.versions.unsupported.UserResourceattribute), 417

allowed_actions (workfront.versions.v40.Avatar at-tribute), 32

allowed_actions (workfront.versions.v40.MessageArg at-tribute), 73

allowed_actions (workfront.versions.v40.Update at-tribute), 136

allowed_legacy_queue_topic_ids (work-front.versions.unsupported.QueueDef at-tribute), 336

allowed_op_task_types (work-

front.versions.unsupported.QueueDef at-tribute), 336

allowed_op_task_types (work-front.versions.unsupported.QueueTopic at-tribute), 338

allowed_op_task_types (work-front.versions.v40.QueueDef attribute), 96

allowed_op_task_types (work-front.versions.v40.QueueTopic attribute),97

allowed_op_task_types_pretty_print (work-front.versions.unsupported.QueueTopic at-tribute), 338

allowed_queue_topic_ids (work-front.versions.unsupported.QueueDef at-tribute), 336

allowed_queue_topic_ids (work-front.versions.v40.QueueDef attribute), 96

always_active (workfront.versions.unsupported.EventHandlerattribute), 257

amount (workfront.versions.unsupported.BillingRecordattribute), 206

amount (workfront.versions.v40.BillingRecord attribute),36

ancestor_id (workfront.versions.unsupported.AccessRuleattribute), 162

ancestor_id (workfront.versions.unsupported.SecurityAncestorattribute), 360

ancestor_id (workfront.versions.v40.AccessRule at-tribute), 12

ancestor_obj_code (work-front.versions.unsupported.AccessRule at-tribute), 162

ancestor_obj_code (work-front.versions.unsupported.SecurityAncestorattribute), 360

ancestor_obj_code (workfront.versions.v40.AccessRuleattribute), 12

Announcement (class in work-front.versions.unsupported), 167

announcement (workfront.versions.unsupported.AnnouncementAttachmentattribute), 169

announcement (workfront.versions.unsupported.AnnouncementRecipientattribute), 170

announcement (workfront.versions.unsupported.UserNoteattribute), 414

announcement_favorite_id (work-front.versions.unsupported.UserNote attribute),414

announcement_id (work-front.versions.unsupported.AnnouncementAttachmentattribute), 169

announcement_id (work-front.versions.unsupported.AnnouncementRecipient

450 Index

python-workfront Documentation, Release 0.8.0

attribute), 170announcement_id (work-

front.versions.unsupported.UserNote attribute),414

announcement_opt_out() (work-front.versions.unsupported.AnnouncementOptOutmethod), 169

announcement_recipients (work-front.versions.unsupported.Announcementattribute), 167

announcement_type (work-front.versions.unsupported.Announcementattribute), 167

announcement_type (work-front.versions.unsupported.AnnouncementOptOutattribute), 169

AnnouncementAttachment (class in work-front.versions.unsupported), 169

AnnouncementOptOut (class in work-front.versions.unsupported), 169

AnnouncementRecipient (class in work-front.versions.unsupported), 170

api (workfront.Session attribute), 9api_concurrency_limit (work-

front.versions.unsupported.Customer attribute),222

api_concurrency_limit (work-front.versions.v40.Customer attribute), 41

api_url() (workfront.meta.Object method), 12APIVersion (class in workfront.meta), 11app_events (workfront.versions.unsupported.AppGlobal

attribute), 172app_events (workfront.versions.unsupported.Customer

attribute), 222app_events (workfront.versions.unsupported.EventHandler

attribute), 257app_global (workfront.versions.unsupported.AccessLevel

attribute), 157app_global (workfront.versions.unsupported.AccessScope

attribute), 164app_global (workfront.versions.unsupported.AppEvent

attribute), 171app_global (workfront.versions.unsupported.ExpenseType

attribute), 262app_global (workfront.versions.unsupported.ExternalSection

attribute), 264app_global (workfront.versions.unsupported.Feature at-

tribute), 266app_global (workfront.versions.unsupported.HourType

attribute), 271app_global (workfront.versions.unsupported.LayoutTemplate

attribute), 288app_global (workfront.versions.unsupported.PortalProfile

attribute), 310

app_global (workfront.versions.unsupported.PortalSectionattribute), 311

app_global (workfront.versions.unsupported.Preferenceattribute), 320

app_global (workfront.versions.unsupported.UIFilter at-tribute), 394

app_global (workfront.versions.unsupported.UIGroupByattribute), 396

app_global (workfront.versions.unsupported.UIView at-tribute), 397

app_global_id (workfront.versions.unsupported.AccessLevelattribute), 157

app_global_id (workfront.versions.unsupported.AccessScopeattribute), 164

app_global_id (workfront.versions.unsupported.AppEventattribute), 171

app_global_id (workfront.versions.unsupported.ExpenseTypeattribute), 262

app_global_id (workfront.versions.unsupported.ExternalSectionattribute), 264

app_global_id (workfront.versions.unsupported.Featureattribute), 266

app_global_id (workfront.versions.unsupported.HourTypeattribute), 271

app_global_id (workfront.versions.unsupported.LayoutTemplateattribute), 289

app_global_id (workfront.versions.unsupported.PortalProfileattribute), 310

app_global_id (workfront.versions.unsupported.PortalSectionattribute), 311

app_global_id (workfront.versions.unsupported.Preferenceattribute), 320

app_global_id (workfront.versions.unsupported.UIFilterattribute), 394

app_global_id (workfront.versions.unsupported.UIGroupByattribute), 396

app_global_id (workfront.versions.unsupported.UIViewattribute), 397

app_global_id (workfront.versions.v40.ExpenseType at-tribute), 55

app_global_id (workfront.versions.v40.HourType at-tribute), 60

app_global_id (workfront.versions.v40.LayoutTemplateattribute), 72

app_global_id (workfront.versions.v40.UIFilter at-tribute), 132

app_global_id (workfront.versions.v40.UIGroupBy at-tribute), 133

app_global_id (workfront.versions.v40.UIView at-tribute), 135

AppBuild (class in workfront.versions.unsupported), 171AppEvent (class in workfront.versions.unsupported), 171AppGlobal (class in workfront.versions.unsupported),

171

Index 451

python-workfront Documentation, Release 0.8.0

AppInfo (class in workfront.versions.unsupported), 172apply_date (workfront.versions.unsupported.BurndownEvent

attribute), 207approvable_id (workfront.versions.unsupported.AwaitingApproval

attribute), 200approvable_obj_code (work-

front.versions.unsupported.ApproverStatusattribute), 192

approvable_obj_code (work-front.versions.v40.ApproverStatus attribute),30

approvable_obj_id (work-front.versions.unsupported.ApproverStatusattribute), 193

approvable_obj_id (work-front.versions.v40.ApproverStatus attribute),30

Approval (class in workfront.versions.unsupported), 173Approval (class in workfront.versions.v40), 13approval_date (workfront.versions.unsupported.DocumentApproval

attribute), 241approval_date (workfront.versions.v40.DocumentApproval

attribute), 49approval_est_start_date (work-

front.versions.unsupported.Approval attribute),174

approval_est_start_date (work-front.versions.unsupported.ApprovalProcessAttachableattribute), 191

approval_est_start_date (work-front.versions.unsupported.Issue attribute),274

approval_est_start_date (work-front.versions.unsupported.Project attribute),323

approval_est_start_date (work-front.versions.unsupported.Task attribute),362

approval_est_start_date (work-front.versions.unsupported.Work attribute),421

approval_est_start_date (work-front.versions.v40.Approval attribute), 14

approval_est_start_date (workfront.versions.v40.Issue at-tribute), 61

approval_est_start_date (workfront.versions.v40.Projectattribute), 86

approval_est_start_date (workfront.versions.v40.Task at-tribute), 109

approval_est_start_date (workfront.versions.v40.Work at-tribute), 146

approval_obj_code (work-front.versions.unsupported.ApprovalProcessattribute), 190

approval_obj_code (work-front.versions.v40.ApprovalProcess attribute),29

approval_path (workfront.versions.unsupported.ApprovalStepattribute), 192

approval_path (workfront.versions.v40.ApprovalStep at-tribute), 29

approval_path_id (work-front.versions.unsupported.ApprovalStepattribute), 192

approval_path_id (workfront.versions.v40.ApprovalStepattribute), 30

approval_paths (workfront.versions.unsupported.ApprovalProcessattribute), 190

approval_paths (workfront.versions.v40.ApprovalProcessattribute), 29

approval_planned_start_date (work-front.versions.unsupported.Approval attribute),174

approval_planned_start_date (work-front.versions.unsupported.ApprovalProcessAttachableattribute), 191

approval_planned_start_date (work-front.versions.unsupported.Issue attribute),274

approval_planned_start_date (work-front.versions.unsupported.Project attribute),323

approval_planned_start_date (work-front.versions.unsupported.Task attribute),363

approval_planned_start_date (work-front.versions.unsupported.Work attribute),421

approval_planned_start_date (work-front.versions.v40.Approval attribute), 14

approval_planned_start_date (work-front.versions.v40.Issue attribute), 62

approval_planned_start_date (work-front.versions.v40.Project attribute), 86

approval_planned_start_date (work-front.versions.v40.Task attribute), 109

approval_planned_start_date (work-front.versions.v40.Work attribute), 146

approval_planned_start_day (work-front.versions.unsupported.Approval attribute),174

approval_planned_start_day (work-front.versions.unsupported.ApprovalProcessAttachableattribute), 191

approval_planned_start_day (work-front.versions.unsupported.Issue attribute),274

approval_planned_start_day (work-

452 Index

python-workfront Documentation, Release 0.8.0

front.versions.unsupported.Project attribute),324

approval_planned_start_day (work-front.versions.unsupported.Task attribute),363

approval_planned_start_day (work-front.versions.unsupported.Work attribute),421

approval_planned_start_day (work-front.versions.v40.Approval attribute), 14

approval_planned_start_day (work-front.versions.v40.Issue attribute), 62

approval_planned_start_day (work-front.versions.v40.Project attribute), 86

approval_planned_start_day (work-front.versions.v40.Task attribute), 109

approval_planned_start_day (work-front.versions.v40.Work attribute), 146

approval_process (work-front.versions.unsupported.Approval attribute),174

approval_process (work-front.versions.unsupported.ApprovalPathattribute), 189

approval_process (work-front.versions.unsupported.ApprovalProcessAttachableattribute), 191

approval_process (workfront.versions.unsupported.Issueattribute), 274

approval_process (work-front.versions.unsupported.Project attribute),324

approval_process (workfront.versions.unsupported.Taskattribute), 363

approval_process (work-front.versions.unsupported.Template attribute),377

approval_process (work-front.versions.unsupported.TemplateTaskattribute), 383

approval_process (workfront.versions.unsupported.Workattribute), 421

approval_process (workfront.versions.v40.Approval at-tribute), 14

approval_process (workfront.versions.v40.ApprovalPathattribute), 28

approval_process (workfront.versions.v40.Issue at-tribute), 62

approval_process (workfront.versions.v40.Project at-tribute), 86

approval_process (workfront.versions.v40.Task at-tribute), 109

approval_process (workfront.versions.v40.Template at-tribute), 121

approval_process (workfront.versions.v40.TemplateTaskattribute), 126

approval_process (workfront.versions.v40.Work at-tribute), 146

approval_process_id (work-front.versions.unsupported.Approval attribute),174

approval_process_id (work-front.versions.unsupported.ApprovalPathattribute), 190

approval_process_id (work-front.versions.unsupported.ApprovalProcessAttachableattribute), 191

approval_process_id (work-front.versions.unsupported.Issue attribute),274

approval_process_id (work-front.versions.unsupported.Project attribute),324

approval_process_id (work-front.versions.unsupported.Task attribute),363

approval_process_id (work-front.versions.unsupported.Template attribute),377

approval_process_id (work-front.versions.unsupported.TemplateTaskattribute), 383

approval_process_id (work-front.versions.unsupported.Work attribute),421

approval_process_id (workfront.versions.v40.Approvalattribute), 14

approval_process_id (work-front.versions.v40.ApprovalPath attribute),28

approval_process_id (workfront.versions.v40.Issue at-tribute), 62

approval_process_id (workfront.versions.v40.Project at-tribute), 86

approval_process_id (workfront.versions.v40.Taskattribute), 109

approval_process_id (workfront.versions.v40.Templateattribute), 121

approval_process_id (work-front.versions.v40.TemplateTask attribute),126

approval_process_id (workfront.versions.v40.Work at-tribute), 146

approval_processes (work-front.versions.unsupported.Customer attribute),223

approval_processes (workfront.versions.v40.Customerattribute), 41

Index 453

python-workfront Documentation, Release 0.8.0

approval_projected_start_date (work-front.versions.unsupported.Approval attribute),174

approval_projected_start_date (work-front.versions.unsupported.ApprovalProcessAttachableattribute), 191

approval_projected_start_date (work-front.versions.unsupported.Issue attribute),274

approval_projected_start_date (work-front.versions.unsupported.Project attribute),324

approval_projected_start_date (work-front.versions.unsupported.Task attribute),363

approval_projected_start_date (work-front.versions.unsupported.Work attribute),421

approval_projected_start_date (work-front.versions.v40.Approval attribute), 14

approval_projected_start_date (work-front.versions.v40.Issue attribute), 62

approval_projected_start_date (work-front.versions.v40.Project attribute), 86

approval_projected_start_date (work-front.versions.v40.Task attribute), 110

approval_projected_start_date (work-front.versions.v40.Work attribute), 146

approval_statuses (work-front.versions.unsupported.ApprovalProcessattribute), 190

approval_statuses (work-front.versions.v40.ApprovalProcess attribute),29

approval_step (workfront.versions.unsupported.ApproverStatusattribute), 193

approval_step (workfront.versions.unsupported.StepApproverattribute), 361

approval_step (workfront.versions.v40.ApproverStatusattribute), 30

approval_step (workfront.versions.v40.StepApprover at-tribute), 108

approval_step_id (work-front.versions.unsupported.ApproverStatusattribute), 193

approval_step_id (work-front.versions.unsupported.StepApproverattribute), 361

approval_step_id (work-front.versions.v40.ApproverStatus attribute),30

approval_step_id (workfront.versions.v40.StepApproverattribute), 108

approval_steps (workfront.versions.unsupported.ApprovalPath

attribute), 190approval_steps (workfront.versions.v40.ApprovalPath at-

tribute), 28approval_type (workfront.versions.unsupported.ApprovalStep

attribute), 192approval_type (workfront.versions.v40.ApprovalStep at-

tribute), 30ApprovalPath (class in workfront.versions.unsupported),

189ApprovalPath (class in workfront.versions.v40), 28ApprovalProcess (class in work-

front.versions.unsupported), 190ApprovalProcess (class in workfront.versions.v40), 29ApprovalProcessAttachable (class in work-

front.versions.unsupported), 191approvals (workfront.versions.unsupported.Document at-

tribute), 233approvals (workfront.versions.v40.Document attribute),

46ApprovalStep (class in workfront.versions.unsupported),

192ApprovalStep (class in workfront.versions.v40), 29approve() (workfront.versions.unsupported.Hour

method), 269approve_approval() (work-

front.versions.unsupported.Issue method),274

approve_approval() (work-front.versions.unsupported.Project method),324

approve_approval() (work-front.versions.unsupported.Task method),363

approve_approval() (workfront.versions.v40.Issuemethod), 62

approve_approval() (workfront.versions.v40.Projectmethod), 86

approve_approval() (workfront.versions.v40.Taskmethod), 110

approved_by (workfront.versions.unsupported.ApproverStatusattribute), 193

approved_by (workfront.versions.unsupported.Hour at-tribute), 270

approved_by (workfront.versions.v40.ApproverStatus at-tribute), 30

approved_by (workfront.versions.v40.Hour attribute), 58approved_by_id (work-

front.versions.unsupported.ApproverStatusattribute), 193

approved_by_id (workfront.versions.unsupported.Hourattribute), 270

approved_by_id (workfront.versions.v40.ApproverStatusattribute), 30

approved_by_id (workfront.versions.v40.Hour attribute),

454 Index

python-workfront Documentation, Release 0.8.0

58approved_on_date (workfront.versions.unsupported.Hour

attribute), 270approved_on_date (workfront.versions.v40.Hour at-

tribute), 58approver (workfront.versions.unsupported.DocumentApproval

attribute), 241approver (workfront.versions.unsupported.Timesheet at-

tribute), 390approver (workfront.versions.unsupported.TimesheetProfile

attribute), 392approver (workfront.versions.v40.DocumentApproval at-

tribute), 49approver (workfront.versions.v40.Timesheet attribute),

130approver_can_edit_hours (work-

front.versions.unsupported.Timesheet at-tribute), 390

approver_can_edit_hours (work-front.versions.unsupported.TimesheetProfileattribute), 392

approver_id (workfront.versions.unsupported.AwaitingApprovalattribute), 200

approver_id (workfront.versions.unsupported.DocumentApprovalattribute), 241

approver_id (workfront.versions.unsupported.Timesheetattribute), 390

approver_id (workfront.versions.unsupported.TimesheetProfileattribute), 392

approver_id (workfront.versions.v40.DocumentApprovalattribute), 49

approver_id (workfront.versions.v40.Timesheet at-tribute), 131

approver_status (workfront.versions.unsupported.JournalEntryattribute), 284

approver_status_id (work-front.versions.unsupported.JournalEntryattribute), 284

approver_statuses (work-front.versions.unsupported.Approval attribute),174

approver_statuses (work-front.versions.unsupported.ApprovalProcessAttachableattribute), 191

approver_statuses (workfront.versions.unsupported.Issueattribute), 275

approver_statuses (work-front.versions.unsupported.Project attribute),324

approver_statuses (workfront.versions.unsupported.Taskattribute), 363

approver_statuses (workfront.versions.unsupported.Workattribute), 421

approver_statuses (workfront.versions.v40.Approval at-

tribute), 14approver_statuses (workfront.versions.v40.Issue at-

tribute), 62approver_statuses (workfront.versions.v40.Project

attribute), 87approver_statuses (workfront.versions.v40.Task at-

tribute), 110approver_statuses (workfront.versions.v40.Work at-

tribute), 146approvers (workfront.versions.unsupported.Timesheet at-

tribute), 390approvers (workfront.versions.unsupported.TimesheetProfile

attribute), 392approvers_list_string (work-

front.versions.unsupported.Timesheet at-tribute), 390

approvers_list_string (work-front.versions.unsupported.TimesheetProfileattribute), 392

approvers_string (work-front.versions.unsupported.Approval attribute),174

approvers_string (workfront.versions.unsupported.Issueattribute), 275

approvers_string (work-front.versions.unsupported.Project attribute),324

approvers_string (workfront.versions.unsupported.Taskattribute), 363

approvers_string (workfront.versions.unsupported.Workattribute), 421

approvers_string (workfront.versions.v40.Approval at-tribute), 15

approvers_string (workfront.versions.v40.Issue attribute),62

approvers_string (workfront.versions.v40.Project at-tribute), 87

approvers_string (workfront.versions.v40.Task attribute),110

approvers_string (workfront.versions.v40.Work at-tribute), 146

ApproverStatus (class in work-front.versions.unsupported), 192

ApproverStatus (class in workfront.versions.v40), 30area (workfront.versions.unsupported.PortalTabSection

attribute), 317assign() (workfront.versions.unsupported.Issue method),

275assign() (workfront.versions.unsupported.Task method),

363assign() (workfront.versions.v40.Issue method), 62assign() (workfront.versions.v40.Task method), 110assign_categories() (work-

front.versions.unsupported.Category method),

Index 455

python-workfront Documentation, Release 0.8.0

212assign_category() (work-

front.versions.unsupported.Category method),212

assign_iteration_to_descendants() (work-front.versions.unsupported.Iteration method),282

assign_multiple() (workfront.versions.unsupported.Issuemethod), 275

assign_multiple() (workfront.versions.unsupported.Taskmethod), 363

assign_multiple() (work-front.versions.unsupported.TemplateTaskmethod), 383

assign_user_token() (work-front.versions.unsupported.User method),402

assign_user_token() (workfront.versions.v40.Usermethod), 138

assigned_by (workfront.versions.unsupported.Assignmentattribute), 194

assigned_by (workfront.versions.v40.Assignment at-tribute), 31

assigned_by_id (workfront.versions.unsupported.Assignmentattribute), 194

assigned_by_id (workfront.versions.v40.Assignment at-tribute), 31

assigned_to (workfront.versions.unsupported.Approvalattribute), 174

assigned_to (workfront.versions.unsupported.Assignmentattribute), 194

assigned_to (workfront.versions.unsupported.Issueattribute), 275

assigned_to (workfront.versions.unsupported.MasterTaskattribute), 294

assigned_to (workfront.versions.unsupported.Taskattribute), 363

assigned_to (workfront.versions.unsupported.TemplateAssignmentattribute), 382

assigned_to (workfront.versions.unsupported.TemplateTaskattribute), 383

assigned_to (workfront.versions.unsupported.Work at-tribute), 421

assigned_to (workfront.versions.v40.Approval attribute),15

assigned_to (workfront.versions.v40.Assignment at-tribute), 31

assigned_to (workfront.versions.v40.Issue attribute), 62assigned_to (workfront.versions.v40.Task attribute), 110assigned_to (workfront.versions.v40.TemplateAssignment

attribute), 124assigned_to (workfront.versions.v40.TemplateTask at-

tribute), 126assigned_to (workfront.versions.v40.Work attribute), 146

assigned_to_id (workfront.versions.unsupported.Approvalattribute), 175

assigned_to_id (workfront.versions.unsupported.Assignmentattribute), 194

assigned_to_id (workfront.versions.unsupported.CalendarFeedEntryattribute), 208

assigned_to_id (workfront.versions.unsupported.Issue at-tribute), 275

assigned_to_id (workfront.versions.unsupported.MasterTaskattribute), 294

assigned_to_id (workfront.versions.unsupported.Task at-tribute), 363

assigned_to_id (workfront.versions.unsupported.TemplateAssignmentattribute), 382

assigned_to_id (workfront.versions.unsupported.TemplateTaskattribute), 384

assigned_to_id (workfront.versions.unsupported.Work at-tribute), 421

assigned_to_id (workfront.versions.v40.Approval at-tribute), 15

assigned_to_id (workfront.versions.v40.Assignment at-tribute), 31

assigned_to_id (workfront.versions.v40.Issue attribute),62

assigned_to_id (workfront.versions.v40.Task attribute),110

assigned_to_id (workfront.versions.v40.TemplateAssignmentattribute), 124

assigned_to_id (workfront.versions.v40.TemplateTask at-tribute), 126

assigned_to_id (workfront.versions.v40.Work attribute),146

assigned_to_name (work-front.versions.unsupported.CalendarFeedEntryattribute), 208

assigned_to_title (work-front.versions.unsupported.CalendarFeedEntryattribute), 208

Assignment (class in workfront.versions.unsupported),194

Assignment (class in workfront.versions.v40), 31assignment (workfront.versions.unsupported.JournalEntry

attribute), 284assignment (workfront.versions.unsupported.WorkItem

attribute), 432assignment (workfront.versions.v40.JournalEntry at-

tribute), 69assignment (workfront.versions.v40.WorkItem attribute),

155assignment_id (workfront.versions.unsupported.JournalEntry

attribute), 284assignment_id (workfront.versions.unsupported.WorkItem

attribute), 432assignment_id (workfront.versions.v40.JournalEntry at-

456 Index

python-workfront Documentation, Release 0.8.0

tribute), 69assignment_id (workfront.versions.v40.WorkItem at-

tribute), 155assignment_percent (work-

front.versions.unsupported.Assignment at-tribute), 194

assignment_percent (work-front.versions.unsupported.TemplateAssignmentattribute), 382

assignment_percent (workfront.versions.v40.Assignmentattribute), 31

assignment_percent (work-front.versions.v40.TemplateAssignmentattribute), 124

assignments (workfront.versions.unsupported.Approvalattribute), 175

assignments (workfront.versions.unsupported.Issue at-tribute), 275

assignments (workfront.versions.unsupported.MasterTaskattribute), 294

assignments (workfront.versions.unsupported.Taskattribute), 363

assignments (workfront.versions.unsupported.TemplateTaskattribute), 384

assignments (workfront.versions.unsupported.UserResourceattribute), 417

assignments (workfront.versions.unsupported.Work at-tribute), 421

assignments (workfront.versions.v40.Approval attribute),15

assignments (workfront.versions.v40.Issue attribute), 62assignments (workfront.versions.v40.Task attribute), 110assignments (workfront.versions.v40.TemplateTask at-

tribute), 126assignments (workfront.versions.v40.Work attribute), 146assignments_list_string (work-

front.versions.unsupported.Approval attribute),175

assignments_list_string (work-front.versions.unsupported.Task attribute),364

assignments_list_string (work-front.versions.unsupported.TemplateTaskattribute), 384

assignments_list_string (work-front.versions.unsupported.Work attribute),421

assignments_list_string (work-front.versions.v40.Approval attribute), 15

assignments_list_string (workfront.versions.v40.Task at-tribute), 110

assignments_list_string (workfront.versions.v40.Work at-tribute), 146

associated_topics (work-

front.versions.unsupported.QueueTopicGroupattribute), 339

async_delete() (workfront.versions.unsupported.Projectmethod), 324

attach_document (workfront.versions.unsupported.Noteattribute), 300

attach_document (workfront.versions.v40.Note attribute),75

attach_document_id (work-front.versions.unsupported.Note attribute),300

attach_document_id (workfront.versions.v40.Noteattribute), 75

attach_obj_code (workfront.versions.unsupported.Noteattribute), 300

attach_obj_code (workfront.versions.v40.Note attribute),75

attach_obj_id (workfront.versions.unsupported.Note at-tribute), 300

attach_obj_id (workfront.versions.v40.Note attribute), 76attach_op_task (workfront.versions.unsupported.Note at-

tribute), 300attach_op_task (workfront.versions.v40.Note attribute),

76attach_op_task_id (workfront.versions.unsupported.Note

attribute), 300attach_op_task_id (workfront.versions.v40.Note at-

tribute), 76attach_template() (work-

front.versions.unsupported.Project method),324

attach_template() (workfront.versions.v40.Projectmethod), 87

attach_template_with_parameter_values() (work-front.versions.unsupported.Project method),324

attach_work_id (workfront.versions.unsupported.Note at-tribute), 300

attach_work_name (work-front.versions.unsupported.Note attribute),300

attach_work_obj_code (work-front.versions.unsupported.Note attribute),300

attach_work_user (workfront.versions.unsupported.Noteattribute), 300

attach_work_user_id (work-front.versions.unsupported.Note attribute),301

attachments (workfront.versions.unsupported.Announcementattribute), 168

attask_attribute (workfront.versions.unsupported.SSOMappingattribute), 350

attask_attribute (workfront.versions.unsupported.SSOMappingRule

Index 457

python-workfront Documentation, Release 0.8.0

attribute), 350attask_version (workfront.versions.unsupported.AppInfo

attribute), 172audit_note (workfront.versions.unsupported.Approval at-

tribute), 175audit_note (workfront.versions.unsupported.Task at-

tribute), 364audit_note (workfront.versions.unsupported.Work at-

tribute), 421audit_note (workfront.versions.v40.Approval attribute),

15audit_note (workfront.versions.v40.Task attribute), 110audit_note (workfront.versions.v40.Work attribute), 146audit_record (workfront.versions.unsupported.JournalEntry

attribute), 284audit_record (workfront.versions.unsupported.Note at-

tribute), 301audit_record (workfront.versions.unsupported.Update at-

tribute), 399audit_record_id (workfront.versions.unsupported.JournalEntry

attribute), 284audit_record_id (workfront.versions.unsupported.Note

attribute), 301audit_record_id (workfront.versions.unsupported.Update

attribute), 399audit_session() (workfront.versions.unsupported.AuditLoginAsSession

method), 196audit_session_count() (work-

front.versions.unsupported.Update method),399

audit_text (workfront.versions.unsupported.Note at-tribute), 301

audit_text (workfront.versions.v40.Note attribute), 76audit_type (workfront.versions.unsupported.Note at-

tribute), 301audit_type (workfront.versions.v40.Note attribute), 76audit_types (workfront.versions.unsupported.Approval

attribute), 175audit_types (workfront.versions.unsupported.Issue

attribute), 275audit_types (workfront.versions.unsupported.MasterTask

attribute), 294audit_types (workfront.versions.unsupported.Portfolio at-

tribute), 318audit_types (workfront.versions.unsupported.Program at-

tribute), 320audit_types (workfront.versions.unsupported.Project at-

tribute), 325audit_types (workfront.versions.unsupported.Task at-

tribute), 364audit_types (workfront.versions.unsupported.TemplateTask

attribute), 384audit_types (workfront.versions.unsupported.Work at-

tribute), 421

audit_types (workfront.versions.v40.Approval attribute),15

audit_types (workfront.versions.v40.Issue attribute), 62audit_types (workfront.versions.v40.Portfolio attribute),

81audit_types (workfront.versions.v40.Program attribute),

83audit_types (workfront.versions.v40.Project attribute), 87audit_types (workfront.versions.v40.Task attribute), 110audit_types (workfront.versions.v40.TemplateTask

attribute), 126audit_types (workfront.versions.v40.Work attribute), 146audit_user_ids (workfront.versions.unsupported.Approval

attribute), 175audit_user_ids (workfront.versions.unsupported.Task at-

tribute), 364audit_user_ids (workfront.versions.unsupported.Work at-

tribute), 421audit_user_ids (workfront.versions.v40.Approval at-

tribute), 15audit_user_ids (workfront.versions.v40.Task attribute),

110audit_user_ids (workfront.versions.v40.Work attribute),

146AuditLoginAsSession (class in work-

front.versions.unsupported), 195Authentication (class in workfront.versions.unsupported),

197authentication_type (work-

front.versions.unsupported.SSOOption at-tribute), 351

author_id (workfront.versions.unsupported.RecentUpdateattribute), 342

author_name (workfront.versions.unsupported.RecentUpdateattribute), 342

auto_baseline_recur_on (work-front.versions.unsupported.Approval attribute),175

auto_baseline_recur_on (work-front.versions.unsupported.Project attribute),325

auto_baseline_recur_on (work-front.versions.unsupported.Template attribute),377

auto_baseline_recur_on (work-front.versions.v40.Approval attribute), 15

auto_baseline_recur_on (workfront.versions.v40.Projectattribute), 87

auto_baseline_recur_on (work-front.versions.v40.Template attribute), 121

auto_baseline_recurrence_type (work-front.versions.unsupported.Approval attribute),175

auto_baseline_recurrence_type (work-

458 Index

python-workfront Documentation, Release 0.8.0

front.versions.unsupported.Project attribute),325

auto_baseline_recurrence_type (work-front.versions.unsupported.Template attribute),377

auto_baseline_recurrence_type (work-front.versions.v40.Approval attribute), 15

auto_baseline_recurrence_type (work-front.versions.v40.Project attribute), 87

auto_baseline_recurrence_type (work-front.versions.v40.Template attribute), 121

auto_closure_date (work-front.versions.unsupported.Approval attribute),175

auto_closure_date (workfront.versions.unsupported.Issueattribute), 275

auto_closure_date (work-front.versions.unsupported.Work attribute),421

auto_closure_date (workfront.versions.v40.Approval at-tribute), 15

auto_closure_date (workfront.versions.v40.Issue at-tribute), 62

auto_closure_date (workfront.versions.v40.Work at-tribute), 146

auto_document_share (work-front.versions.unsupported.DocumentApprovalattribute), 241

auto_document_share_id (work-front.versions.unsupported.DocumentApprovalattribute), 241

auto_document_share_id (work-front.versions.v40.DocumentApproval at-tribute), 49

auto_generated (workfront.versions.unsupported.AccessRequestattribute), 161

auto_generated (workfront.versions.unsupported.Baselineattribute), 203

auto_generated (workfront.versions.v40.Baseline at-tribute), 34

auto_share_action (work-front.versions.unsupported.AccessRequestattribute), 161

aux1 (workfront.versions.unsupported.JournalEntry at-tribute), 284

aux1 (workfront.versions.v40.JournalEntry attribute), 69aux2 (workfront.versions.unsupported.JournalEntry at-

tribute), 284aux2 (workfront.versions.v40.JournalEntry attribute), 69aux3 (workfront.versions.unsupported.JournalEntry at-

tribute), 284aux3 (workfront.versions.v40.JournalEntry attribute), 70availability_date (work-

front.versions.unsupported.UserAvailability

attribute), 411available_actions (work-

front.versions.unsupported.Timesheet at-tribute), 390

available_actions (workfront.versions.v40.Timesheet at-tribute), 131

available_number_of_hours (work-front.versions.unsupported.UserResourceattribute), 417

available_time_per_day (work-front.versions.unsupported.UserResourceattribute), 417

Avatar (class in workfront.versions.unsupported), 198Avatar (class in workfront.versions.v40), 32avatar_date (workfront.versions.unsupported.Avatar at-

tribute), 198avatar_date (workfront.versions.unsupported.User at-

tribute), 402avatar_date (workfront.versions.v40.Avatar attribute), 32avatar_date (workfront.versions.v40.User attribute), 138avatar_download_url (work-

front.versions.unsupported.Avatar attribute),198

avatar_download_url (work-front.versions.unsupported.User attribute),403

avatar_download_url (workfront.versions.v40.Avatar at-tribute), 32

avatar_download_url (workfront.versions.v40.User at-tribute), 138

avatar_size (workfront.versions.unsupported.Avatar at-tribute), 198

avatar_size (workfront.versions.unsupported.User at-tribute), 403

avatar_size (workfront.versions.v40.Avatar attribute), 33avatar_size (workfront.versions.v40.User attribute), 138avatar_x (workfront.versions.unsupported.Avatar at-

tribute), 198avatar_x (workfront.versions.unsupported.User attribute),

403avatar_x (workfront.versions.v40.Avatar attribute), 33avatar_x (workfront.versions.v40.User attribute), 138avatar_y (workfront.versions.unsupported.Avatar at-

tribute), 199avatar_y (workfront.versions.unsupported.User attribute),

403avatar_y (workfront.versions.v40.Avatar attribute), 33avatar_y (workfront.versions.v40.User attribute), 138average_actual_number_of_hours (work-

front.versions.unsupported.UserResourceattribute), 417

average_number_of_hours (work-front.versions.unsupported.UserResourceattribute), 418

Index 459

python-workfront Documentation, Release 0.8.0

average_projected_number_of_hours (work-front.versions.unsupported.UserResourceattribute), 418

avg_work_per_day (work-front.versions.unsupported.Assignment at-tribute), 194

avg_work_per_day (workfront.versions.v40.Assignmentattribute), 31

awaiting_approvals (work-front.versions.unsupported.AccessRequestattribute), 161

awaiting_approvals (work-front.versions.unsupported.Approval attribute),175

awaiting_approvals (work-front.versions.unsupported.Document at-tribute), 233

awaiting_approvals (work-front.versions.unsupported.Issue attribute),275

awaiting_approvals (work-front.versions.unsupported.Project attribute),325

awaiting_approvals (work-front.versions.unsupported.Task attribute),364

awaiting_approvals (work-front.versions.unsupported.Timesheet at-tribute), 390

awaiting_approvals (work-front.versions.unsupported.Work attribute),421

AwaitingApproval (class in work-front.versions.unsupported), 200

BBackgroundJob (class in work-

front.versions.unsupported), 201BackgroundJob (class in workfront.versions.v40), 33backlog_order (workfront.versions.unsupported.Approval

attribute), 175backlog_order (workfront.versions.unsupported.Task at-

tribute), 364backlog_order (workfront.versions.unsupported.Work at-

tribute), 421backlog_order (workfront.versions.v40.Approval at-

tribute), 15backlog_order (workfront.versions.v40.Task attribute),

110backlog_order (workfront.versions.v40.Work attribute),

147backlog_tasks (workfront.versions.unsupported.Team at-

tribute), 374

backlog_tasks (workfront.versions.v40.Team attribute),119

Baseline (class in workfront.versions.unsupported), 203Baseline (class in workfront.versions.v40), 33baseline (workfront.versions.unsupported.BaselineTask

attribute), 204baseline (workfront.versions.unsupported.JournalEntry

attribute), 284baseline (workfront.versions.v40.BaselineTask attribute),

35baseline_id (workfront.versions.unsupported.BaselineTask

attribute), 205baseline_id (workfront.versions.unsupported.JournalEntry

attribute), 284baseline_id (workfront.versions.v40.BaselineTask at-

tribute), 35baseline_tasks (workfront.versions.unsupported.Baseline

attribute), 203baseline_tasks (workfront.versions.v40.Baseline at-

tribute), 34baselines (workfront.versions.unsupported.Approval at-

tribute), 175baselines (workfront.versions.unsupported.Project

attribute), 325baselines (workfront.versions.v40.Approval attribute), 15baselines (workfront.versions.v40.Project attribute), 87BaselineTask (class in workfront.versions.unsupported),

204BaselineTask (class in workfront.versions.v40), 35bccompletion_state (work-

front.versions.unsupported.Approval attribute),175

bccompletion_state (work-front.versions.unsupported.Project attribute),325

bccompletion_state (workfront.versions.v40.Approval at-tribute), 15

bccompletion_state (workfront.versions.v40.Project at-tribute), 87

bean_classname (work-front.versions.unsupported.MetaRecord at-tribute), 297

begin_at_row (workfront.versions.unsupported.ImportTemplateattribute), 273

billable_tasks (workfront.versions.unsupported.BillingRecordattribute), 206

billable_tasks (workfront.versions.v40.BillingRecord at-tribute), 36

billed_revenue (workfront.versions.unsupported.Approvalattribute), 175

billed_revenue (workfront.versions.unsupported.Projectattribute), 325

billed_revenue (workfront.versions.v40.Approval at-tribute), 15

460 Index

python-workfront Documentation, Release 0.8.0

billed_revenue (workfront.versions.v40.Project attribute),87

billing_amount (workfront.versions.unsupported.Approvalattribute), 175

billing_amount (workfront.versions.unsupported.MasterTaskattribute), 294

billing_amount (workfront.versions.unsupported.Task at-tribute), 364

billing_amount (workfront.versions.unsupported.TemplateTaskattribute), 384

billing_amount (workfront.versions.unsupported.Workattribute), 422

billing_amount (workfront.versions.v40.Approval at-tribute), 15

billing_amount (workfront.versions.v40.Task attribute),110

billing_amount (workfront.versions.v40.TemplateTaskattribute), 126

billing_amount (workfront.versions.v40.Work attribute),147

billing_date (workfront.versions.unsupported.BillingRecordattribute), 206

billing_date (workfront.versions.v40.BillingRecord at-tribute), 37

billing_per_hour (workfront.versions.unsupported.Roleattribute), 348

billing_per_hour (workfront.versions.unsupported.Userattribute), 403

billing_per_hour (workfront.versions.v40.Role attribute),102

billing_per_hour (workfront.versions.v40.User attribute),138

billing_record (workfront.versions.unsupported.Approvalattribute), 175

billing_record (workfront.versions.unsupported.Expenseattribute), 259

billing_record (workfront.versions.unsupported.Hour at-tribute), 270

billing_record (workfront.versions.unsupported.JournalEntryattribute), 284

billing_record (workfront.versions.unsupported.Task at-tribute), 364

billing_record (workfront.versions.unsupported.Work at-tribute), 422

billing_record (workfront.versions.v40.Approval at-tribute), 15

billing_record (workfront.versions.v40.Expense at-tribute), 53

billing_record (workfront.versions.v40.Hour attribute),58

billing_record (workfront.versions.v40.JournalEntry at-tribute), 70

billing_record (workfront.versions.v40.Task attribute),110

billing_record (workfront.versions.v40.Work attribute),147

billing_record_id (work-front.versions.unsupported.Approval attribute),175

billing_record_id (work-front.versions.unsupported.Expense attribute),259

billing_record_id (workfront.versions.unsupported.Hourattribute), 270

billing_record_id (work-front.versions.unsupported.JournalEntryattribute), 284

billing_record_id (workfront.versions.unsupported.Taskattribute), 364

billing_record_id (workfront.versions.unsupported.Workattribute), 422

billing_record_id (workfront.versions.v40.Approval at-tribute), 15

billing_record_id (workfront.versions.v40.Expense at-tribute), 53

billing_record_id (workfront.versions.v40.Hour at-tribute), 58

billing_record_id (workfront.versions.v40.JournalEntryattribute), 70

billing_record_id (workfront.versions.v40.Task attribute),111

billing_record_id (workfront.versions.v40.Work at-tribute), 147

billing_records (workfront.versions.unsupported.Approvalattribute), 175

billing_records (workfront.versions.unsupported.Projectattribute), 325

billing_records (workfront.versions.v40.Approval at-tribute), 15

billing_records (workfront.versions.v40.Project at-tribute), 87

BillingRecord (class in workfront.versions.unsupported),206

BillingRecord (class in workfront.versions.v40), 36binding_type (workfront.versions.unsupported.SSOOption

attribute), 351biz_rule_exclusions (work-

front.versions.unsupported.Customer attribute),223

biz_rule_exclusions (workfront.versions.v40.Customerattribute), 41

Branding (class in workfront.versions.unsupported), 207browse_list_with_link_action() (work-

front.versions.unsupported.ExternalDocumentmethod), 262

budget (workfront.versions.unsupported.Approval at-tribute), 175

budget (workfront.versions.unsupported.Baseline at-

Index 461

python-workfront Documentation, Release 0.8.0

tribute), 203budget (workfront.versions.unsupported.Portfolio at-

tribute), 318budget (workfront.versions.unsupported.Project at-

tribute), 325budget (workfront.versions.unsupported.Template at-

tribute), 377budget (workfront.versions.v40.Approval attribute), 15budget (workfront.versions.v40.Baseline attribute), 34budget (workfront.versions.v40.Portfolio attribute), 81budget (workfront.versions.v40.Project attribute), 87budget_status (workfront.versions.unsupported.Approval

attribute), 175budget_status (workfront.versions.unsupported.Project

attribute), 325budget_status (workfront.versions.v40.Approval at-

tribute), 15budget_status (workfront.versions.v40.Project attribute),

87budgeted_completion_date (work-

front.versions.unsupported.Approval attribute),175

budgeted_completion_date (work-front.versions.unsupported.Project attribute),325

budgeted_completion_date (work-front.versions.v40.Approval attribute), 16

budgeted_completion_date (work-front.versions.v40.Project attribute), 87

budgeted_cost (workfront.versions.unsupported.Approvalattribute), 176

budgeted_cost (workfront.versions.unsupported.Projectattribute), 325

budgeted_cost (workfront.versions.v40.Approval at-tribute), 16

budgeted_cost (workfront.versions.v40.Project attribute),87

budgeted_hours (work-front.versions.unsupported.Approval attribute),176

budgeted_hours (workfront.versions.unsupported.Projectattribute), 325

budgeted_hours (work-front.versions.unsupported.ResourceAllocationattribute), 345

budgeted_hours (workfront.versions.v40.Approvalattribute), 16

budgeted_hours (workfront.versions.v40.Project at-tribute), 87

budgeted_hours (work-front.versions.v40.ResourceAllocation at-tribute), 100

budgeted_labor_cost (work-front.versions.unsupported.Approval attribute),

176budgeted_labor_cost (work-

front.versions.unsupported.Project attribute),325

budgeted_labor_cost (workfront.versions.v40.Approvalattribute), 16

budgeted_labor_cost (workfront.versions.v40.Project at-tribute), 87

budgeted_start_date (work-front.versions.unsupported.Approval attribute),176

budgeted_start_date (work-front.versions.unsupported.Project attribute),325

budgeted_start_date (workfront.versions.v40.Approvalattribute), 16

budgeted_start_date (workfront.versions.v40.Project at-tribute), 88

build_download_manifest() (work-front.versions.unsupported.Document method),233

build_id (workfront.versions.unsupported.AppBuild at-tribute), 171

build_number (workfront.versions.unsupported.AppBuildattribute), 171

build_number (workfront.versions.unsupported.AppInfoattribute), 172

bulk_copy() (workfront.versions.unsupported.Taskmethod), 364

bulk_copy() (workfront.versions.unsupported.TemplateTaskmethod), 384

bulk_copy() (workfront.versions.v40.Task method), 111bulk_delete_recent() (work-

front.versions.unsupported.RecentMenuItemmethod), 341

bulk_move() (workfront.versions.unsupported.Taskmethod), 364

bulk_move() (workfront.versions.unsupported.TemplateTaskmethod), 384

bulk_move() (workfront.versions.v40.Task method), 111burndown_obj_code (work-

front.versions.unsupported.BurndownEventattribute), 207

burndown_obj_id (work-front.versions.unsupported.BurndownEventattribute), 207

BurndownEvent (class in work-front.versions.unsupported), 207

business_case_status_label (work-front.versions.unsupported.Approval attribute),176

business_case_status_label (work-front.versions.unsupported.Project attribute),325

462 Index

python-workfront Documentation, Release 0.8.0

business_case_status_label (work-front.versions.v40.Approval attribute), 16

business_case_status_label (work-front.versions.v40.Project attribute), 88

Ccache_key (workfront.versions.unsupported.BackgroundJob

attribute), 201cal_events (workfront.versions.unsupported.CalendarSection

attribute), 211calculate_data_extension() (work-

front.versions.unsupported.Category method),212

calculate_data_extension() (work-front.versions.unsupported.Company method),217

calculate_data_extension() (work-front.versions.unsupported.Document method),233

calculate_data_extension() (work-front.versions.unsupported.Expense method),259

calculate_data_extension() (work-front.versions.unsupported.Issue method),275

calculate_data_extension() (work-front.versions.unsupported.MasterTaskmethod), 294

calculate_data_extension() (work-front.versions.unsupported.Portfolio method),318

calculate_data_extension() (work-front.versions.unsupported.Program method),321

calculate_data_extension() (work-front.versions.unsupported.Project method),326

calculate_data_extension() (work-front.versions.unsupported.Task method),364

calculate_data_extension() (work-front.versions.unsupported.Template method),377

calculate_data_extension() (work-front.versions.unsupported.TemplateTaskmethod), 384

calculate_data_extension() (work-front.versions.unsupported.User method),403

calculate_data_extension() (work-front.versions.v40.Company method), 39

calculate_data_extension() (work-front.versions.v40.Document method), 46

calculate_data_extension() (work-front.versions.v40.Expense method), 53

calculate_data_extension() (workfront.versions.v40.Issuemethod), 62

calculate_data_extension() (work-front.versions.v40.Portfolio method), 81

calculate_data_extension() (work-front.versions.v40.Program method), 83

calculate_data_extension() (work-front.versions.v40.Project method), 88

calculate_data_extension() (workfront.versions.v40.Taskmethod), 111

calculate_data_extension() (work-front.versions.v40.Template method), 121

calculate_data_extension() (work-front.versions.v40.TemplateTask method),126

calculate_data_extension() (workfront.versions.v40.Usermethod), 138

calculate_data_extensions() (work-front.versions.unsupported.Task method),364

calculate_finance() (work-front.versions.unsupported.Project method),326

calculate_finance() (workfront.versions.v40.Projectmethod), 88

calculate_project_score_values() (work-front.versions.unsupported.Project method),326

calculate_sharing() (work-front.versions.unsupported.AccessLevelmethod), 157

calculate_timeline() (work-front.versions.unsupported.Project method),326

calculate_timeline() (work-front.versions.unsupported.Template method),377

calculate_timeline() (workfront.versions.v40.Projectmethod), 88

calculate_url() (workfront.versions.unsupported.ExternalSectionmethod), 264

calculate_urls() (workfront.versions.unsupported.ExternalSectionmethod), 265

calculated_url (workfront.versions.unsupported.ExternalSectionattribute), 265

calendar (workfront.versions.unsupported.AccessTokenattribute), 165

calendar (workfront.versions.unsupported.CalendarSectionattribute), 211

calendar_event (workfront.versions.unsupported.CalendarFeedEntryattribute), 208

calendar_event_id (work-

Index 463

python-workfront Documentation, Release 0.8.0

front.versions.unsupported.CalendarFeedEntryattribute), 208

calendar_events (work-front.versions.unsupported.CalendarSectionattribute), 211

calendar_id (workfront.versions.unsupported.AccessTokenattribute), 165

calendar_id (workfront.versions.unsupported.CalendarSectionattribute), 211

calendar_info (workfront.versions.unsupported.CalendarPortalSectionattribute), 210

calendar_info_id (work-front.versions.unsupported.CalendarPortalSectionattribute), 210

calendar_portal_section (work-front.versions.unsupported.PortalTabSectionattribute), 317

calendar_portal_section_id (work-front.versions.unsupported.PortalTabSectionattribute), 317

calendar_section (work-front.versions.unsupported.CalendarEventattribute), 207

calendar_section_id (work-front.versions.unsupported.CalendarEventattribute), 207

calendar_section_ids (work-front.versions.unsupported.CalendarFeedEntryattribute), 208

calendar_sections (work-front.versions.unsupported.CalendarInfoattribute), 209

CalendarEvent (class in workfront.versions.unsupported),207

CalendarFeedEntry (class in work-front.versions.unsupported), 208

CalendarInfo (class in workfront.versions.unsupported),209

CalendarPortalSection (class in work-front.versions.unsupported), 210

CalendarSection (class in work-front.versions.unsupported), 211

callable_expressions (work-front.versions.unsupported.CalendarSectionattribute), 211

CallableExpression (class in work-front.versions.unsupported), 212

can_enqueue_export() (work-front.versions.unsupported.BackgroundJobmethod), 201

can_start (workfront.versions.unsupported.Approval at-tribute), 176

can_start (workfront.versions.unsupported.Issue at-tribute), 275

can_start (workfront.versions.unsupported.Task at-tribute), 364

can_start (workfront.versions.unsupported.Work at-tribute), 422

can_start (workfront.versions.v40.Approval attribute), 16can_start (workfront.versions.v40.Issue attribute), 63can_start (workfront.versions.v40.Task attribute), 111can_start (workfront.versions.v40.Work attribute), 147cancel_document_proof() (work-

front.versions.unsupported.Document method),233

cancel_scheduled_migration() (work-front.versions.unsupported.SandboxMigrationmethod), 352

capacity (workfront.versions.unsupported.Iterationattribute), 282

capacity (workfront.versions.v40.Iteration attribute), 68card_location (workfront.versions.unsupported.LayoutTemplateCard

attribute), 291card_location (workfront.versions.unsupported.LayoutTemplateDatePreference

attribute), 291card_type (workfront.versions.unsupported.LayoutTemplateCard

attribute), 291card_type (workfront.versions.unsupported.LayoutTemplateDatePreference

attribute), 291cat_obj_code (workfront.versions.unsupported.Category

attribute), 212cat_obj_code (workfront.versions.v40.Category at-

tribute), 37categories (workfront.versions.unsupported.Customer at-

tribute), 223categories (workfront.versions.v40.Customer attribute),

41Category (class in workfront.versions.unsupported), 212Category (class in workfront.versions.v40), 37category (workfront.versions.unsupported.Approval at-

tribute), 176category (workfront.versions.unsupported.ApprovalProcessAttachable

attribute), 191category (workfront.versions.unsupported.CategoryAccessRule

attribute), 215category (workfront.versions.unsupported.CategoryCascadeRule

attribute), 215category (workfront.versions.unsupported.CategoryParameter

attribute), 216category (workfront.versions.unsupported.Company at-

tribute), 217category (workfront.versions.unsupported.Document at-

tribute), 233category (workfront.versions.unsupported.Expense at-

tribute), 259category (workfront.versions.unsupported.Issue at-

tribute), 275category (workfront.versions.unsupported.Iteration at-

464 Index

python-workfront Documentation, Release 0.8.0

tribute), 282category (workfront.versions.unsupported.MasterTask at-

tribute), 294category (workfront.versions.unsupported.ObjectCategory

attribute), 306category (workfront.versions.unsupported.Portfolio at-

tribute), 318category (workfront.versions.unsupported.Program at-

tribute), 321category (workfront.versions.unsupported.Project at-

tribute), 326category (workfront.versions.unsupported.Task attribute),

365category (workfront.versions.unsupported.Template at-

tribute), 377category (workfront.versions.unsupported.TemplateTask

attribute), 384category (workfront.versions.unsupported.User attribute),

403category (workfront.versions.unsupported.Work at-

tribute), 422category (workfront.versions.v40.Approval attribute), 16category (workfront.versions.v40.CategoryParameter at-

tribute), 38category (workfront.versions.v40.Company attribute), 39category (workfront.versions.v40.Document attribute), 46category (workfront.versions.v40.Expense attribute), 53category (workfront.versions.v40.Issue attribute), 63category (workfront.versions.v40.Iteration attribute), 68category (workfront.versions.v40.Portfolio attribute), 81category (workfront.versions.v40.Program attribute), 83category (workfront.versions.v40.Project attribute), 88category (workfront.versions.v40.Task attribute), 111category (workfront.versions.v40.Template attribute),

121category (workfront.versions.v40.TemplateTask at-

tribute), 126category (workfront.versions.v40.User attribute), 138category (workfront.versions.v40.Work attribute), 147category_access_rules (work-

front.versions.unsupported.Category attribute),213

category_cascade_rule (work-front.versions.unsupported.CategoryCascadeRuleMatchattribute), 216

category_cascade_rule_id (work-front.versions.unsupported.CategoryCascadeRuleMatchattribute), 216

category_cascade_rule_matches (work-front.versions.unsupported.CategoryCascadeRuleattribute), 215

category_cascade_rules (work-front.versions.unsupported.Category attribute),213

category_id (workfront.versions.unsupported.Approvalattribute), 176

category_id (workfront.versions.unsupported.ApprovalProcessAttachableattribute), 191

category_id (workfront.versions.unsupported.CategoryAccessRuleattribute), 215

category_id (workfront.versions.unsupported.CategoryCascadeRuleattribute), 215

category_id (workfront.versions.unsupported.CategoryParameterattribute), 216

category_id (workfront.versions.unsupported.Companyattribute), 217

category_id (workfront.versions.unsupported.Documentattribute), 233

category_id (workfront.versions.unsupported.Expense at-tribute), 259

category_id (workfront.versions.unsupported.Issueattribute), 276

category_id (workfront.versions.unsupported.Iteration at-tribute), 282

category_id (workfront.versions.unsupported.MasterTaskattribute), 294

category_id (workfront.versions.unsupported.ObjectCategoryattribute), 306

category_id (workfront.versions.unsupported.Portfolioattribute), 318

category_id (workfront.versions.unsupported.Program at-tribute), 321

category_id (workfront.versions.unsupported.Project at-tribute), 326

category_id (workfront.versions.unsupported.Taskattribute), 365

category_id (workfront.versions.unsupported.Templateattribute), 377

category_id (workfront.versions.unsupported.TemplateTaskattribute), 384

category_id (workfront.versions.unsupported.Userattribute), 403

category_id (workfront.versions.unsupported.Work at-tribute), 422

category_id (workfront.versions.v40.Approval attribute),16

category_id (workfront.versions.v40.CategoryParameterattribute), 38

category_id (workfront.versions.v40.Company attribute),39

category_id (workfront.versions.v40.Document at-tribute), 46

category_id (workfront.versions.v40.Expense attribute),53

category_id (workfront.versions.v40.Issue attribute), 63category_id (workfront.versions.v40.Iteration attribute),

68category_id (workfront.versions.v40.Portfolio attribute),

Index 465

python-workfront Documentation, Release 0.8.0

81category_id (workfront.versions.v40.Program attribute),

84category_id (workfront.versions.v40.Project attribute), 88category_id (workfront.versions.v40.Task attribute), 111category_id (workfront.versions.v40.Template attribute),

121category_id (workfront.versions.v40.TemplateTask at-

tribute), 126category_id (workfront.versions.v40.User attribute), 138category_id (workfront.versions.v40.Work attribute), 147category_order (workfront.versions.unsupported.ObjectCategory

attribute), 306category_parameter (work-

front.versions.unsupported.CategoryParameterExpressionattribute), 217

category_parameter (work-front.versions.v40.CategoryParameterExpressionattribute), 39

category_parameter_expression (work-front.versions.unsupported.CategoryParameterattribute), 216

category_parameter_expression (work-front.versions.v40.CategoryParameter at-tribute), 38

category_parameters (work-front.versions.unsupported.Category attribute),213

category_parameters (workfront.versions.v40.Categoryattribute), 37

CategoryAccessRule (class in work-front.versions.unsupported), 215

CategoryCascadeRule (class in work-front.versions.unsupported), 215

CategoryCascadeRuleMatch (class in work-front.versions.unsupported), 216

CategoryParameter (class in work-front.versions.unsupported), 216

CategoryParameter (class in workfront.versions.v40), 38CategoryParameterExpression (class in work-

front.versions.unsupported), 217CategoryParameterExpression (class in work-

front.versions.v40), 39certificate (workfront.versions.unsupported.SSOOption

attribute), 351change_password_url (work-

front.versions.unsupported.SSOOption at-tribute), 351

change_type (workfront.versions.unsupported.JournalEntryattribute), 284

change_type (workfront.versions.v40.JournalEntryattribute), 70

changed_objects (work-front.versions.unsupported.BackgroundJob

attribute), 201changed_objects (work-

front.versions.v40.BackgroundJob attribute),33

check_delete() (workfront.versions.unsupported.Groupmethod), 268

check_document_tasks() (work-front.versions.unsupported.Document method),233

check_in() (workfront.versions.unsupported.Documentmethod), 233

check_license_expiration() (work-front.versions.unsupported.Customer method),223

check_other_user_early_access() (work-front.versions.unsupported.User method),403

check_out() (workfront.versions.unsupported.Documentmethod), 233

checked_out_by (work-front.versions.unsupported.Document at-tribute), 233

checked_out_by (workfront.versions.v40.Document at-tribute), 46

checked_out_by_id (work-front.versions.unsupported.Document at-tribute), 233

checked_out_by_id (workfront.versions.v40.Documentattribute), 46

child (workfront.versions.unsupported.CustomMenuCustomMenuattribute), 221

child_id (workfront.versions.unsupported.CustomMenuCustomMenuattribute), 221

children (workfront.versions.unsupported.Approval at-tribute), 176

children (workfront.versions.unsupported.DocumentFolderattribute), 242

children (workfront.versions.unsupported.Group at-tribute), 268

children (workfront.versions.unsupported.Task attribute),365

children (workfront.versions.unsupported.TemplateTaskattribute), 384

children (workfront.versions.unsupported.Work at-tribute), 422

children (workfront.versions.v40.Approval attribute), 16children (workfront.versions.v40.DocumentFolder

attribute), 50children (workfront.versions.v40.Task attribute), 111children (workfront.versions.v40.TemplateTask at-

tribute), 126children (workfront.versions.v40.Work attribute), 147children_menus (work-

front.versions.unsupported.CustomMenu

466 Index

python-workfront Documentation, Release 0.8.0

attribute), 220city (workfront.versions.unsupported.Customer at-

tribute), 223city (workfront.versions.unsupported.Reseller attribute),

344city (workfront.versions.unsupported.User attribute), 403city (workfront.versions.v40.Customer attribute), 41city (workfront.versions.v40.User attribute), 138classname (workfront.versions.unsupported.MetaRecord

attribute), 297clear_access_rule_preferences() (work-

front.versions.unsupported.AccessLevelmethod), 157

clear_access_rule_preferences() (work-front.versions.unsupported.User method),403

clear_all_custom_tabs() (work-front.versions.unsupported.LayoutTemplatemethod), 289

clear_all_user_custom_tabs() (work-front.versions.unsupported.LayoutTemplatemethod), 289

clear_api_key() (workfront.versions.unsupported.Usermethod), 403

clear_ppmigration_flag() (work-front.versions.unsupported.LayoutTemplatemethod), 289

clear_user_custom_tabs() (work-front.versions.unsupported.LayoutTemplatemethod), 289

cloneable (workfront.versions.unsupported.Customer at-tribute), 223

cloneable (workfront.versions.v40.Customer attribute),41

code (workfront.session.WorkfrontAPIError attribute), 11Collection (class in workfront.meta), 11color (workfront.versions.unsupported.Approval at-

tribute), 176color (workfront.versions.unsupported.CalendarEvent at-

tribute), 208color (workfront.versions.unsupported.CalendarFeedEntry

attribute), 208color (workfront.versions.unsupported.CalendarSection

attribute), 211color (workfront.versions.unsupported.CustomEnum at-

tribute), 218color (workfront.versions.unsupported.MessageArg at-

tribute), 297color (workfront.versions.unsupported.Milestone at-

tribute), 298color (workfront.versions.unsupported.Task attribute),

365color (workfront.versions.unsupported.Work attribute),

422

color (workfront.versions.v40.Approval attribute), 16color (workfront.versions.v40.CustomEnum attribute), 40color (workfront.versions.v40.MessageArg attribute), 73color (workfront.versions.v40.Milestone attribute), 74color (workfront.versions.v40.Task attribute), 111color (workfront.versions.v40.Work attribute), 147column_number (work-

front.versions.unsupported.ImportRow at-tribute), 273

combined_updates (work-front.versions.unsupported.Update attribute),400

combined_updates (workfront.versions.v40.Update at-tribute), 136

comment (workfront.versions.unsupported.CustomerFeedbackattribute), 231

commit_date (workfront.versions.unsupported.Approvalattribute), 176

commit_date (workfront.versions.unsupported.Issue at-tribute), 276

commit_date (workfront.versions.unsupported.Task at-tribute), 365

commit_date (workfront.versions.unsupported.Work at-tribute), 422

commit_date (workfront.versions.v40.Approval at-tribute), 16

commit_date (workfront.versions.v40.Issue attribute), 63commit_date (workfront.versions.v40.Task attribute), 111commit_date (workfront.versions.v40.Work attribute),

147commit_date_range (work-

front.versions.unsupported.Approval attribute),176

commit_date_range (work-front.versions.unsupported.Issue attribute),276

commit_date_range (work-front.versions.unsupported.Task attribute),365

commit_date_range (work-front.versions.unsupported.Work attribute),422

commit_date_range (workfront.versions.v40.Approvalattribute), 16

commit_date_range (workfront.versions.v40.Issueattribute), 63

commit_date_range (workfront.versions.v40.Task at-tribute), 111

commit_date_range (workfront.versions.v40.Workattribute), 147

common_display_order (work-front.versions.unsupported.MetaRecord at-tribute), 297

Company (class in workfront.versions.unsupported), 217

Index 467

python-workfront Documentation, Release 0.8.0

Company (class in workfront.versions.v40), 39company (workfront.versions.unsupported.AnnouncementRecipient

attribute), 170company (workfront.versions.unsupported.Approval at-

tribute), 176company (workfront.versions.unsupported.ParameterValue

attribute), 308company (workfront.versions.unsupported.Project

attribute), 326company (workfront.versions.unsupported.Rate at-

tribute), 340company (workfront.versions.unsupported.Template at-

tribute), 377company (workfront.versions.unsupported.User at-

tribute), 403company (workfront.versions.v40.Approval attribute), 16company (workfront.versions.v40.Project attribute), 88company (workfront.versions.v40.Rate attribute), 99company (workfront.versions.v40.User attribute), 138company_id (workfront.versions.unsupported.AnnouncementRecipient

attribute), 170company_id (workfront.versions.unsupported.Approval

attribute), 176company_id (workfront.versions.unsupported.ParameterValue

attribute), 308company_id (workfront.versions.unsupported.Project at-

tribute), 326company_id (workfront.versions.unsupported.Rate

attribute), 340company_id (workfront.versions.unsupported.Template

attribute), 377company_id (workfront.versions.unsupported.User at-

tribute), 403company_id (workfront.versions.v40.Approval attribute),

16company_id (workfront.versions.v40.Project attribute),

88company_id (workfront.versions.v40.Rate attribute), 99company_id (workfront.versions.v40.User attribute), 138complete_external_user_registration() (work-

front.versions.unsupported.User method),403

complete_user_registration() (work-front.versions.unsupported.User method),403

complete_user_registration() (work-front.versions.v40.User method), 138

completion_date (work-front.versions.unsupported.DocumentRequestattribute), 247

completion_day (work-front.versions.unsupported.Template attribute),377

completion_day (work-

front.versions.unsupported.TemplateTaskattribute), 384

completion_day (workfront.versions.v40.Templateattribute), 121

completion_day (workfront.versions.v40.TemplateTaskattribute), 126

completion_pending_date (work-front.versions.unsupported.Approval attribute),176

completion_pending_date (work-front.versions.unsupported.Task attribute),365

completion_pending_date (work-front.versions.unsupported.Work attribute),422

completion_pending_date (work-front.versions.v40.Approval attribute), 16

completion_pending_date (workfront.versions.v40.Taskattribute), 111

completion_pending_date (workfront.versions.v40.Workattribute), 147

completion_type (work-front.versions.unsupported.Approval attribute),176

completion_type (work-front.versions.unsupported.Project attribute),326

completion_type (work-front.versions.unsupported.Template attribute),377

completion_type (workfront.versions.v40.Approval at-tribute), 16

completion_type (workfront.versions.v40.Project at-tribute), 88

completion_type (workfront.versions.v40.Template at-tribute), 121

component_key (work-front.versions.unsupported.ComponentKeyattribute), 218

ComponentKey (class in work-front.versions.unsupported), 218

condition (workfront.versions.unsupported.Approval at-tribute), 176

condition (workfront.versions.unsupported.Baseline at-tribute), 203

condition (workfront.versions.unsupported.Issue at-tribute), 276

condition (workfront.versions.unsupported.Projectattribute), 326

condition (workfront.versions.unsupported.Task at-tribute), 365

condition (workfront.versions.unsupported.Work at-tribute), 422

condition (workfront.versions.v40.Approval attribute), 16

468 Index

python-workfront Documentation, Release 0.8.0

condition (workfront.versions.v40.Baseline attribute), 34condition (workfront.versions.v40.Issue attribute), 63condition (workfront.versions.v40.Project attribute), 88condition (workfront.versions.v40.Task attribute), 111condition (workfront.versions.v40.Work attribute), 147condition_type (workfront.versions.unsupported.Approval

attribute), 176condition_type (workfront.versions.unsupported.Project

attribute), 326condition_type (workfront.versions.unsupported.Template

attribute), 377condition_type (workfront.versions.v40.Approval at-

tribute), 16condition_type (workfront.versions.v40.Project at-

tribute), 88configuration (workfront.versions.unsupported.DocumentProvider

attribute), 245configuration (workfront.versions.unsupported.DocumentProviderConfig

attribute), 246constraint_date (workfront.versions.unsupported.Approval

attribute), 176constraint_date (workfront.versions.unsupported.Task at-

tribute), 365constraint_date (workfront.versions.unsupported.Work

attribute), 422constraint_date (workfront.versions.v40.Approval at-

tribute), 16constraint_date (workfront.versions.v40.Task attribute),

111constraint_date (workfront.versions.v40.Work attribute),

147constraint_day (workfront.versions.unsupported.TemplateTask

attribute), 384constraint_day (workfront.versions.v40.TemplateTask at-

tribute), 126content (workfront.versions.unsupported.Announcement

attribute), 168content (workfront.versions.unsupported.EmailTemplate

attribute), 253controller_class (workfront.versions.unsupported.PortalSection

attribute), 311convert_to_project() (work-

front.versions.unsupported.Issue method),276

convert_to_project() (work-front.versions.unsupported.Task method),365

convert_to_task() (workfront.versions.unsupported.Issuemethod), 276

convert_to_task() (workfront.versions.v40.Issue method),63

converted_op_task_entry_date (work-front.versions.unsupported.Approval attribute),176

converted_op_task_entry_date (work-front.versions.unsupported.Project attribute),326

converted_op_task_entry_date (work-front.versions.unsupported.Task attribute),365

converted_op_task_entry_date (work-front.versions.unsupported.Work attribute),422

converted_op_task_entry_date (work-front.versions.v40.Approval attribute), 16

converted_op_task_entry_date (work-front.versions.v40.Project attribute), 88

converted_op_task_entry_date (work-front.versions.v40.Task attribute), 111

converted_op_task_entry_date (work-front.versions.v40.Work attribute), 147

converted_op_task_name (work-front.versions.unsupported.Approval attribute),176

converted_op_task_name (work-front.versions.unsupported.Project attribute),326

converted_op_task_name (work-front.versions.unsupported.Task attribute),365

converted_op_task_name (work-front.versions.unsupported.Work attribute),422

converted_op_task_name (work-front.versions.v40.Approval attribute), 17

converted_op_task_name (work-front.versions.v40.Project attribute), 88

converted_op_task_name (workfront.versions.v40.Taskattribute), 112

converted_op_task_name (workfront.versions.v40.Workattribute), 147

converted_op_task_originator (work-front.versions.unsupported.Approval attribute),177

converted_op_task_originator (work-front.versions.unsupported.Project attribute),326

converted_op_task_originator (work-front.versions.unsupported.Task attribute),365

converted_op_task_originator (work-front.versions.unsupported.Work attribute),422

converted_op_task_originator (work-front.versions.v40.Approval attribute), 17

converted_op_task_originator (work-front.versions.v40.Project attribute), 88

converted_op_task_originator (work-

Index 469

python-workfront Documentation, Release 0.8.0

front.versions.v40.Task attribute), 112converted_op_task_originator (work-

front.versions.v40.Work attribute), 147converted_op_task_originator_id (work-

front.versions.unsupported.Approval attribute),177

converted_op_task_originator_id (work-front.versions.unsupported.Project attribute),326

converted_op_task_originator_id (work-front.versions.unsupported.Task attribute),365

converted_op_task_originator_id (work-front.versions.unsupported.Work attribute),422

converted_op_task_originator_id (work-front.versions.v40.Approval attribute), 17

converted_op_task_originator_id (work-front.versions.v40.Project attribute), 88

converted_op_task_originator_id (work-front.versions.v40.Task attribute), 112

converted_op_task_originator_id (work-front.versions.v40.Work attribute), 147

copy_document_to_temp_dir() (work-front.versions.unsupported.Document method),233

core_action (workfront.versions.unsupported.AccessLevelPermissionsattribute), 160

core_action (workfront.versions.unsupported.AccessRuleattribute), 162

core_action (workfront.versions.unsupported.AccessRulePreferenceattribute), 163

core_action (workfront.versions.v40.AccessRule at-tribute), 12

cost_amount (workfront.versions.unsupported.Approvalattribute), 177

cost_amount (workfront.versions.unsupported.MasterTaskattribute), 294

cost_amount (workfront.versions.unsupported.Task at-tribute), 365

cost_amount (workfront.versions.unsupported.TemplateTaskattribute), 384

cost_amount (workfront.versions.unsupported.Work at-tribute), 422

cost_amount (workfront.versions.v40.Approval at-tribute), 17

cost_amount (workfront.versions.v40.Task attribute), 112cost_amount (workfront.versions.v40.TemplateTask at-

tribute), 126cost_amount (workfront.versions.v40.Work attribute),

147cost_per_hour (workfront.versions.unsupported.Role at-

tribute), 348cost_per_hour (workfront.versions.unsupported.User at-

tribute), 404cost_per_hour (workfront.versions.v40.Role attribute),

102cost_per_hour (workfront.versions.v40.User attribute),

139cost_type (workfront.versions.unsupported.Approval at-

tribute), 177cost_type (workfront.versions.unsupported.MasterTask

attribute), 294cost_type (workfront.versions.unsupported.Task at-

tribute), 365cost_type (workfront.versions.unsupported.TemplateTask

attribute), 385cost_type (workfront.versions.unsupported.Work at-

tribute), 422cost_type (workfront.versions.v40.Approval attribute), 17cost_type (workfront.versions.v40.Task attribute), 112cost_type (workfront.versions.v40.TemplateTask at-

tribute), 126cost_type (workfront.versions.v40.Work attribute), 147count_as_revenue (work-

front.versions.unsupported.HourType at-tribute), 272

count_as_revenue (workfront.versions.v40.HourType at-tribute), 60

country (workfront.versions.unsupported.Customer at-tribute), 223

country (workfront.versions.unsupported.Reseller at-tribute), 344

country (workfront.versions.unsupported.User attribute),404

country (workfront.versions.v40.Customer attribute), 41country (workfront.versions.v40.User attribute), 139cpi (workfront.versions.unsupported.Approval attribute),

177cpi (workfront.versions.unsupported.Baseline attribute),

203cpi (workfront.versions.unsupported.BaselineTask

attribute), 205cpi (workfront.versions.unsupported.Project attribute),

326cpi (workfront.versions.unsupported.Task attribute), 365cpi (workfront.versions.unsupported.Work attribute), 422cpi (workfront.versions.v40.Approval attribute), 17cpi (workfront.versions.v40.Baseline attribute), 34cpi (workfront.versions.v40.BaselineTask attribute), 35cpi (workfront.versions.v40.Project attribute), 88cpi (workfront.versions.v40.Task attribute), 112cpi (workfront.versions.v40.Work attribute), 147create_document() (work-

front.versions.unsupported.Document method),234

create_first_calendar() (work-front.versions.unsupported.CalendarInfo

470 Index

python-workfront Documentation, Release 0.8.0

method), 209create_project_section() (work-

front.versions.unsupported.CalendarInfomethod), 209

create_project_with_override() (work-front.versions.unsupported.Project method),326

create_proof (workfront.versions.unsupported.DocumentVersionattribute), 250

create_proof() (workfront.versions.unsupported.Documentmethod), 234

create_proof_flag (work-front.versions.unsupported.Document at-tribute), 234

create_public_session() (work-front.versions.unsupported.Authenticationmethod), 197

create_schema() (work-front.versions.unsupported.Authenticationmethod), 197

create_session() (work-front.versions.unsupported.Authenticationmethod), 197

create_unsupported_worker_access_level_for_testing()(workfront.versions.unsupported.AccessLevelmethod), 157

criteria (workfront.versions.unsupported.TimedNotificationattribute), 389

crop_unsaved_avatar_file() (work-front.versions.unsupported.Avatar method),199

csi (workfront.versions.unsupported.Approval attribute),177

csi (workfront.versions.unsupported.Baseline attribute),203

csi (workfront.versions.unsupported.BaselineTask at-tribute), 205

csi (workfront.versions.unsupported.Project attribute),326

csi (workfront.versions.unsupported.Task attribute), 365csi (workfront.versions.unsupported.Work attribute), 422csi (workfront.versions.v40.Approval attribute), 17csi (workfront.versions.v40.Baseline attribute), 34csi (workfront.versions.v40.BaselineTask attribute), 35csi (workfront.versions.v40.Project attribute), 88csi (workfront.versions.v40.Task attribute), 112csi (workfront.versions.v40.Work attribute), 148currency (workfront.versions.unsupported.Approval at-

tribute), 177currency (workfront.versions.unsupported.Customer at-

tribute), 223currency (workfront.versions.unsupported.ExchangeRate

attribute), 258currency (workfront.versions.unsupported.PortalSection

attribute), 311currency (workfront.versions.unsupported.Portfolio at-

tribute), 318currency (workfront.versions.unsupported.Project at-

tribute), 327currency (workfront.versions.unsupported.Template at-

tribute), 377currency (workfront.versions.v40.Approval attribute), 17currency (workfront.versions.v40.Customer attribute), 41currency (workfront.versions.v40.ExchangeRate at-

tribute), 53currency (workfront.versions.v40.Portfolio attribute), 81currency (workfront.versions.v40.Project attribute), 88currency (workfront.versions.v40.Template attribute),

121current_approval_step (work-

front.versions.unsupported.Approval attribute),177

current_approval_step (work-front.versions.unsupported.ApprovalProcessAttachableattribute), 192

current_approval_step (work-front.versions.unsupported.Issue attribute),276

current_approval_step (work-front.versions.unsupported.Project attribute),327

current_approval_step (work-front.versions.unsupported.Task attribute),365

current_approval_step (work-front.versions.unsupported.Work attribute),423

current_approval_step (workfront.versions.v40.Approvalattribute), 17

current_approval_step (workfront.versions.v40.Issue at-tribute), 63

current_approval_step (workfront.versions.v40.Projectattribute), 88

current_approval_step (workfront.versions.v40.Task at-tribute), 112

current_approval_step (workfront.versions.v40.Work at-tribute), 148

current_approval_step_id (work-front.versions.unsupported.Approval attribute),177

current_approval_step_id (work-front.versions.unsupported.ApprovalProcessAttachableattribute), 192

current_approval_step_id (work-front.versions.unsupported.Issue attribute),276

current_approval_step_id (work-front.versions.unsupported.Project attribute),

Index 471

python-workfront Documentation, Release 0.8.0

327current_approval_step_id (work-

front.versions.unsupported.Task attribute),366

current_approval_step_id (work-front.versions.unsupported.Work attribute),423

current_approval_step_id (work-front.versions.v40.Approval attribute), 17

current_approval_step_id (workfront.versions.v40.Issueattribute), 63

current_approval_step_id (work-front.versions.v40.Project attribute), 88

current_approval_step_id (workfront.versions.v40.Taskattribute), 112

current_approval_step_id (workfront.versions.v40.Workattribute), 148

current_status_duration (work-front.versions.unsupported.Approval attribute),177

current_status_duration (work-front.versions.unsupported.Issue attribute),276

current_status_duration (work-front.versions.unsupported.Work attribute),423

current_status_duration (work-front.versions.v40.Approval attribute), 17

current_status_duration (workfront.versions.v40.Issue at-tribute), 63

current_status_duration (workfront.versions.v40.Work at-tribute), 148

current_version (workfront.versions.unsupported.Documentattribute), 234

current_version (workfront.versions.v40.Document at-tribute), 46

current_version_id (work-front.versions.unsupported.Document at-tribute), 234

current_version_id (workfront.versions.v40.Documentattribute), 46

custom_enum (workfront.versions.unsupported.CustomEnumOrderattribute), 220

custom_enum_id (work-front.versions.unsupported.CustomEnumOrderattribute), 220

custom_enum_orders (work-front.versions.unsupported.CustomEnumattribute), 219

custom_enum_types (work-front.versions.unsupported.Customer attribute),223

custom_enum_types (workfront.versions.v40.Customerattribute), 41

custom_enums (workfront.versions.unsupported.Customerattribute), 223

custom_enums (workfront.versions.v40.Customer at-tribute), 41

custom_expression (work-front.versions.unsupported.CategoryParameterattribute), 216

custom_expression (work-front.versions.unsupported.CategoryParameterExpressionattribute), 217

custom_expression (work-front.versions.v40.CategoryParameter at-tribute), 38

custom_expression (work-front.versions.v40.CategoryParameterExpressionattribute), 39

custom_label (workfront.versions.unsupported.LayoutTemplateCardattribute), 291

custom_menus (workfront.versions.unsupported.Customerattribute), 223

custom_menus (workfront.versions.unsupported.PortalProfileattribute), 310

custom_properties (work-front.versions.unsupported.EventHandlerattribute), 257

custom_quarters (work-front.versions.unsupported.Customer attribute),223

custom_tabs (workfront.versions.unsupported.Customerattribute), 223

custom_tabs (workfront.versions.unsupported.PortalProfileattribute), 310

custom_tabs (workfront.versions.unsupported.User at-tribute), 404

CustomEnum (class in workfront.versions.unsupported),218

CustomEnum (class in workfront.versions.v40), 40CustomEnumOrder (class in work-

front.versions.unsupported), 220Customer (class in workfront.versions.unsupported), 222Customer (class in workfront.versions.v40), 41customer (workfront.versions.unsupported.AccessLevel

attribute), 157customer (workfront.versions.unsupported.AccessLevelPermissions

attribute), 160customer (workfront.versions.unsupported.AccessRequest

attribute), 161customer (workfront.versions.unsupported.AccessRule

attribute), 162customer (workfront.versions.unsupported.AccessRulePreference

attribute), 163customer (workfront.versions.unsupported.AccessScope

attribute), 164customer (workfront.versions.unsupported.AccessScopeAction

472 Index

python-workfront Documentation, Release 0.8.0

attribute), 165customer (workfront.versions.unsupported.AccessToken

attribute), 165customer (workfront.versions.unsupported.Acknowledgement

attribute), 167customer (workfront.versions.unsupported.AnnouncementOptOut

attribute), 169customer (workfront.versions.unsupported.AnnouncementRecipient

attribute), 170customer (workfront.versions.unsupported.AppEvent at-

tribute), 171customer (workfront.versions.unsupported.Approval at-

tribute), 177customer (workfront.versions.unsupported.ApprovalPath

attribute), 190customer (workfront.versions.unsupported.ApprovalProcess

attribute), 190customer (workfront.versions.unsupported.ApprovalStep

attribute), 192customer (workfront.versions.unsupported.ApproverStatus

attribute), 193customer (workfront.versions.unsupported.Assignment

attribute), 194customer (workfront.versions.unsupported.AuditLoginAsSession

attribute), 196customer (workfront.versions.unsupported.AwaitingApproval

attribute), 200customer (workfront.versions.unsupported.BackgroundJob

attribute), 201customer (workfront.versions.unsupported.Baseline at-

tribute), 203customer (workfront.versions.unsupported.BaselineTask

attribute), 205customer (workfront.versions.unsupported.BillingRecord

attribute), 206customer (workfront.versions.unsupported.Branding at-

tribute), 207customer (workfront.versions.unsupported.BurndownEvent

attribute), 207customer (workfront.versions.unsupported.CalendarEvent

attribute), 208customer (workfront.versions.unsupported.CalendarInfo

attribute), 210customer (workfront.versions.unsupported.CalendarPortalSection

attribute), 210customer (workfront.versions.unsupported.CalendarSection

attribute), 211customer (workfront.versions.unsupported.CallableExpression

attribute), 212customer (workfront.versions.unsupported.Category at-

tribute), 213customer (workfront.versions.unsupported.CategoryAccessRule

attribute), 215customer (workfront.versions.unsupported.CategoryCascadeRule

attribute), 215customer (workfront.versions.unsupported.CategoryCascadeRuleMatch

attribute), 216customer (workfront.versions.unsupported.CategoryParameter

attribute), 216customer (workfront.versions.unsupported.CategoryParameterExpression

attribute), 217customer (workfront.versions.unsupported.Company at-

tribute), 217customer (workfront.versions.unsupported.CustomEnum

attribute), 219customer (workfront.versions.unsupported.CustomEnumOrder

attribute), 220customer (workfront.versions.unsupported.CustomerPref

attribute), 231customer (workfront.versions.unsupported.CustomerTimelineCalc

attribute), 232customer (workfront.versions.unsupported.CustomMenu

attribute), 220customer (workfront.versions.unsupported.CustomMenuCustomMenu

attribute), 221customer (workfront.versions.unsupported.CustomQuarter

attribute), 222customer (workfront.versions.unsupported.CustsSections

attribute), 232customer (workfront.versions.unsupported.DocsFolders

attribute), 232customer (workfront.versions.unsupported.Document at-

tribute), 234customer (workfront.versions.unsupported.DocumentApproval

attribute), 241customer (workfront.versions.unsupported.DocumentFolder

attribute), 242customer (workfront.versions.unsupported.DocumentProvider

attribute), 245customer (workfront.versions.unsupported.DocumentProviderConfig

attribute), 246customer (workfront.versions.unsupported.DocumentProviderMetadata

attribute), 246customer (workfront.versions.unsupported.DocumentRequest

attribute), 247customer (workfront.versions.unsupported.DocumentShare

attribute), 249customer (workfront.versions.unsupported.DocumentVersion

attribute), 250customer (workfront.versions.unsupported.EmailTemplate

attribute), 253customer (workfront.versions.unsupported.Endorsement

attribute), 254customer (workfront.versions.unsupported.EndorsementShare

attribute), 256customer (workfront.versions.unsupported.EventHandler

attribute), 257customer (workfront.versions.unsupported.EventSubscription

Index 473

python-workfront Documentation, Release 0.8.0

attribute), 258customer (workfront.versions.unsupported.ExchangeRate

attribute), 258customer (workfront.versions.unsupported.Expense at-

tribute), 259customer (workfront.versions.unsupported.ExpenseType

attribute), 262customer (workfront.versions.unsupported.ExternalSection

attribute), 265customer (workfront.versions.unsupported.Favorite at-

tribute), 266customer (workfront.versions.unsupported.FinancialData

attribute), 267customer (workfront.versions.unsupported.Group at-

tribute), 268customer (workfront.versions.unsupported.Hour at-

tribute), 270customer (workfront.versions.unsupported.HourType at-

tribute), 272customer (workfront.versions.unsupported.ImportRow

attribute), 273customer (workfront.versions.unsupported.ImportTemplate

attribute), 273customer (workfront.versions.unsupported.InstalledDDItem

attribute), 273customer (workfront.versions.unsupported.IPRange at-

tribute), 272customer (workfront.versions.unsupported.Issue at-

tribute), 276customer (workfront.versions.unsupported.Iteration at-

tribute), 282customer (workfront.versions.unsupported.JournalEntry

attribute), 285customer (workfront.versions.unsupported.JournalField

attribute), 288customer (workfront.versions.unsupported.LayoutTemplate

attribute), 289customer (workfront.versions.unsupported.LayoutTemplateCard

attribute), 291customer (workfront.versions.unsupported.LayoutTemplateDatePreference

attribute), 291customer (workfront.versions.unsupported.LayoutTemplatePage

attribute), 292customer (workfront.versions.unsupported.LicenseOrder

attribute), 292customer (workfront.versions.unsupported.Like at-

tribute), 293customer (workfront.versions.unsupported.LinkedFolder

attribute), 293customer (workfront.versions.unsupported.MasterTask

attribute), 295customer (workfront.versions.unsupported.Milestone at-

tribute), 298customer (workfront.versions.unsupported.MilestonePath

attribute), 298customer (workfront.versions.unsupported.NonWorkDay

attribute), 299customer (workfront.versions.unsupported.Note at-

tribute), 301customer (workfront.versions.unsupported.NoteTag at-

tribute), 304customer (workfront.versions.unsupported.NotificationRecord

attribute), 304customer (workfront.versions.unsupported.ObjectCategory

attribute), 306customer (workfront.versions.unsupported.Parameter at-

tribute), 306customer (workfront.versions.unsupported.ParameterGroup

attribute), 307customer (workfront.versions.unsupported.ParameterOption

attribute), 307customer (workfront.versions.unsupported.ParameterValue

attribute), 308customer (workfront.versions.unsupported.PopAccount

attribute), 310customer (workfront.versions.unsupported.PortalProfile

attribute), 310customer (workfront.versions.unsupported.PortalSection

attribute), 311customer (workfront.versions.unsupported.PortalTab at-

tribute), 316customer (workfront.versions.unsupported.PortalTabSection

attribute), 317customer (workfront.versions.unsupported.Portfolio at-

tribute), 318customer (workfront.versions.unsupported.Predecessor

attribute), 320customer (workfront.versions.unsupported.Preference at-

tribute), 320customer (workfront.versions.unsupported.Program at-

tribute), 321customer (workfront.versions.unsupported.Project

attribute), 327customer (workfront.versions.unsupported.ProjectUser

attribute), 335customer (workfront.versions.unsupported.ProjectUserRole

attribute), 336customer (workfront.versions.unsupported.QueueDef at-

tribute), 336customer (workfront.versions.unsupported.QueueTopic

attribute), 338customer (workfront.versions.unsupported.QueueTopicGroup

attribute), 339customer (workfront.versions.unsupported.Rate at-

tribute), 340customer (workfront.versions.unsupported.Recent at-

tribute), 340customer (workfront.versions.unsupported.RecentUpdate

474 Index

python-workfront Documentation, Release 0.8.0

attribute), 342customer (workfront.versions.unsupported.RecurrenceRule

attribute), 343customer (workfront.versions.unsupported.ReportFolder

attribute), 344customer (workfront.versions.unsupported.ReservedTime

attribute), 345customer (workfront.versions.unsupported.ResourceAllocation

attribute), 345customer (workfront.versions.unsupported.ResourcePool

attribute), 346customer (workfront.versions.unsupported.Risk at-

tribute), 346customer (workfront.versions.unsupported.RiskType at-

tribute), 347customer (workfront.versions.unsupported.Role at-

tribute), 348customer (workfront.versions.unsupported.RoutingRule

attribute), 349customer (workfront.versions.unsupported.S3Migration

attribute), 350customer (workfront.versions.unsupported.SandboxMigration

attribute), 352customer (workfront.versions.unsupported.Schedule at-

tribute), 353customer (workfront.versions.unsupported.ScheduledReport

attribute), 355customer (workfront.versions.unsupported.ScoreCard at-

tribute), 357customer (workfront.versions.unsupported.ScoreCardAnswer

attribute), 358customer (workfront.versions.unsupported.ScoreCardOption

attribute), 358customer (workfront.versions.unsupported.ScoreCardQuestion

attribute), 359customer (workfront.versions.unsupported.SecurityAncestor

attribute), 360customer (workfront.versions.unsupported.Sequence at-

tribute), 360customer (workfront.versions.unsupported.SharingSettings

attribute), 360customer (workfront.versions.unsupported.SSOMapping

attribute), 350customer (workfront.versions.unsupported.SSOMappingRule

attribute), 350customer (workfront.versions.unsupported.SSOOption

attribute), 351customer (workfront.versions.unsupported.StepApprover

attribute), 361customer (workfront.versions.unsupported.Task at-

tribute), 366customer (workfront.versions.unsupported.Team at-

tribute), 374customer (workfront.versions.unsupported.TeamMember

attribute), 376customer (workfront.versions.unsupported.TeamMemberRole

attribute), 376customer (workfront.versions.unsupported.Template at-

tribute), 377customer (workfront.versions.unsupported.TemplateAssignment

attribute), 382customer (workfront.versions.unsupported.TemplatePredecessor

attribute), 383customer (workfront.versions.unsupported.TemplateTask

attribute), 385customer (workfront.versions.unsupported.TemplateUser

attribute), 389customer (workfront.versions.unsupported.TemplateUserRole

attribute), 389customer (workfront.versions.unsupported.TimedNotification

attribute), 389customer (workfront.versions.unsupported.Timesheet at-

tribute), 390customer (workfront.versions.unsupported.TimesheetProfile

attribute), 392customer (workfront.versions.unsupported.TimesheetTemplate

attribute), 393customer (workfront.versions.unsupported.UIFilter at-

tribute), 394customer (workfront.versions.unsupported.UIGroupBy

attribute), 396customer (workfront.versions.unsupported.UIView at-

tribute), 397customer (workfront.versions.unsupported.User at-

tribute), 404customer (workfront.versions.unsupported.UserActivity

attribute), 411customer (workfront.versions.unsupported.UserAvailability

attribute), 411customer (workfront.versions.unsupported.UserDelegation

attribute), 412customer (workfront.versions.unsupported.UserGroups

attribute), 412customer (workfront.versions.unsupported.UserNote at-

tribute), 414customer (workfront.versions.unsupported.UserObjectPref

attribute), 416customer (workfront.versions.unsupported.UserPrefValue

attribute), 417customer (workfront.versions.unsupported.WatchListEntry

attribute), 419customer (workfront.versions.unsupported.Work at-

tribute), 423customer (workfront.versions.unsupported.WorkItem at-

tribute), 432customer (workfront.versions.v40.AccessRule attribute),

12customer (workfront.versions.v40.Approval attribute), 17

Index 475

python-workfront Documentation, Release 0.8.0

customer (workfront.versions.v40.ApprovalPath at-tribute), 28

customer (workfront.versions.v40.ApprovalProcess at-tribute), 29

customer (workfront.versions.v40.ApprovalStep at-tribute), 30

customer (workfront.versions.v40.ApproverStatus at-tribute), 30

customer (workfront.versions.v40.Assignment attribute),31

customer (workfront.versions.v40.BackgroundJobattribute), 33

customer (workfront.versions.v40.Baseline attribute), 34customer (workfront.versions.v40.BaselineTask at-

tribute), 35customer (workfront.versions.v40.BillingRecord at-

tribute), 37customer (workfront.versions.v40.Category attribute), 37customer (workfront.versions.v40.CategoryParameter at-

tribute), 38customer (workfront.versions.v40.CategoryParameterExpression

attribute), 39customer (workfront.versions.v40.Company attribute), 39customer (workfront.versions.v40.CustomEnum at-

tribute), 40customer (workfront.versions.v40.Document attribute),

46customer (workfront.versions.v40.DocumentApproval at-

tribute), 49customer (workfront.versions.v40.DocumentFolder at-

tribute), 50customer (workfront.versions.v40.DocumentVersion at-

tribute), 51customer (workfront.versions.v40.ExchangeRate at-

tribute), 53customer (workfront.versions.v40.Expense attribute), 53customer (workfront.versions.v40.ExpenseType at-

tribute), 55customer (workfront.versions.v40.Favorite attribute), 56customer (workfront.versions.v40.FinancialData at-

tribute), 57customer (workfront.versions.v40.Group attribute), 58customer (workfront.versions.v40.Hour attribute), 58customer (workfront.versions.v40.HourType attribute),

60customer (workfront.versions.v40.Issue attribute), 63customer (workfront.versions.v40.Iteration attribute), 68customer (workfront.versions.v40.JournalEntry at-

tribute), 70customer (workfront.versions.v40.LayoutTemplate

attribute), 72customer (workfront.versions.v40.Milestone attribute),

74customer (workfront.versions.v40.MilestonePath at-

tribute), 74customer (workfront.versions.v40.NonWorkDay at-

tribute), 75customer (workfront.versions.v40.Note attribute), 76customer (workfront.versions.v40.NoteTag attribute), 79customer (workfront.versions.v40.Parameter attribute),

79customer (workfront.versions.v40.ParameterGroup at-

tribute), 80customer (workfront.versions.v40.ParameterOption at-

tribute), 81customer (workfront.versions.v40.Portfolio attribute), 82customer (workfront.versions.v40.Predecessor attribute),

83customer (workfront.versions.v40.Program attribute), 84customer (workfront.versions.v40.Project attribute), 89customer (workfront.versions.v40.ProjectUser attribute),

95customer (workfront.versions.v40.ProjectUserRole at-

tribute), 96customer (workfront.versions.v40.QueueDef attribute),

96customer (workfront.versions.v40.QueueTopic attribute),

98customer (workfront.versions.v40.Rate attribute), 99customer (workfront.versions.v40.ReservedTime at-

tribute), 99customer (workfront.versions.v40.ResourceAllocation at-

tribute), 100customer (workfront.versions.v40.ResourcePool at-

tribute), 100customer (workfront.versions.v40.Risk attribute), 101customer (workfront.versions.v40.RiskType attribute),

102customer (workfront.versions.v40.Role attribute), 102customer (workfront.versions.v40.RoutingRule attribute),

103customer (workfront.versions.v40.Schedule attribute),

104customer (workfront.versions.v40.ScoreCard attribute),

105customer (workfront.versions.v40.ScoreCardAnswer at-

tribute), 106customer (workfront.versions.v40.ScoreCardOption at-

tribute), 107customer (workfront.versions.v40.ScoreCardQuestion at-

tribute), 107customer (workfront.versions.v40.StepApprover at-

tribute), 108customer (workfront.versions.v40.Task attribute), 112customer (workfront.versions.v40.Team attribute), 119customer (workfront.versions.v40.TeamMember at-

tribute), 120customer (workfront.versions.v40.Template attribute),

476 Index

python-workfront Documentation, Release 0.8.0

121customer (workfront.versions.v40.TemplateAssignment

attribute), 124customer (workfront.versions.v40.TemplatePredecessor

attribute), 125customer (workfront.versions.v40.TemplateTask at-

tribute), 126customer (workfront.versions.v40.TemplateUser at-

tribute), 130customer (workfront.versions.v40.TemplateUserRole at-

tribute), 130customer (workfront.versions.v40.Timesheet attribute),

131customer (workfront.versions.v40.UIFilter attribute), 132customer (workfront.versions.v40.UIGroupBy attribute),

133customer (workfront.versions.v40.UIView attribute), 135customer (workfront.versions.v40.User attribute), 139customer (workfront.versions.v40.UserActivity attribute),

143customer (workfront.versions.v40.UserNote attribute),

144customer (workfront.versions.v40.UserPrefValue at-

tribute), 145customer (workfront.versions.v40.Work attribute), 148customer (workfront.versions.v40.WorkItem attribute),

155customer_config_map (work-

front.versions.unsupported.Customer attribute),223

customer_config_map_id (work-front.versions.unsupported.Customer attribute),223

customer_config_map_id (work-front.versions.v40.Customer attribute), 41

customer_guid (workfront.versions.unsupported.CustomerFeedbackattribute), 231

customer_id (workfront.versions.unsupported.AccessLevelattribute), 157

customer_id (workfront.versions.unsupported.AccessLevelPermissionsattribute), 160

customer_id (workfront.versions.unsupported.AccessRequestattribute), 161

customer_id (workfront.versions.unsupported.AccessRuleattribute), 163

customer_id (workfront.versions.unsupported.AccessRulePreferenceattribute), 163

customer_id (workfront.versions.unsupported.AccessScopeattribute), 164

customer_id (workfront.versions.unsupported.AccessScopeActionattribute), 165

customer_id (workfront.versions.unsupported.AccessTokenattribute), 165

customer_id (workfront.versions.unsupported.Acknowledgement

attribute), 167customer_id (workfront.versions.unsupported.AnnouncementOptOut

attribute), 169customer_id (workfront.versions.unsupported.AnnouncementRecipient

attribute), 170customer_id (workfront.versions.unsupported.AppEvent

attribute), 171customer_id (workfront.versions.unsupported.Approval

attribute), 177customer_id (workfront.versions.unsupported.ApprovalPath

attribute), 190customer_id (workfront.versions.unsupported.ApprovalProcess

attribute), 190customer_id (workfront.versions.unsupported.ApprovalStep

attribute), 192customer_id (workfront.versions.unsupported.ApproverStatus

attribute), 193customer_id (workfront.versions.unsupported.Assignment

attribute), 194customer_id (workfront.versions.unsupported.AuditLoginAsSession

attribute), 196customer_id (workfront.versions.unsupported.AwaitingApproval

attribute), 200customer_id (workfront.versions.unsupported.BackgroundJob

attribute), 201customer_id (workfront.versions.unsupported.Baseline

attribute), 203customer_id (workfront.versions.unsupported.BaselineTask

attribute), 205customer_id (workfront.versions.unsupported.BillingRecord

attribute), 206customer_id (workfront.versions.unsupported.Branding

attribute), 207customer_id (workfront.versions.unsupported.BurndownEvent

attribute), 207customer_id (workfront.versions.unsupported.CalendarEvent

attribute), 208customer_id (workfront.versions.unsupported.CalendarInfo

attribute), 210customer_id (workfront.versions.unsupported.CalendarPortalSection

attribute), 210customer_id (workfront.versions.unsupported.CalendarSection

attribute), 211customer_id (workfront.versions.unsupported.CallableExpression

attribute), 212customer_id (workfront.versions.unsupported.Category

attribute), 213customer_id (workfront.versions.unsupported.CategoryAccessRule

attribute), 215customer_id (workfront.versions.unsupported.CategoryCascadeRule

attribute), 215customer_id (workfront.versions.unsupported.CategoryCascadeRuleMatch

attribute), 216customer_id (workfront.versions.unsupported.CategoryParameter

Index 477

python-workfront Documentation, Release 0.8.0

attribute), 216customer_id (workfront.versions.unsupported.CategoryParameterExpression

attribute), 217customer_id (workfront.versions.unsupported.Company

attribute), 217customer_id (workfront.versions.unsupported.CustomEnum

attribute), 219customer_id (workfront.versions.unsupported.CustomEnumOrder

attribute), 220customer_id (workfront.versions.unsupported.CustomerPref

attribute), 231customer_id (workfront.versions.unsupported.CustomerTimelineCalc

attribute), 232customer_id (workfront.versions.unsupported.CustomMenu

attribute), 220customer_id (workfront.versions.unsupported.CustomMenuCustomMenu

attribute), 221customer_id (workfront.versions.unsupported.CustomQuarter

attribute), 222customer_id (workfront.versions.unsupported.CustsSections

attribute), 232customer_id (workfront.versions.unsupported.DocsFolders

attribute), 232customer_id (workfront.versions.unsupported.Document

attribute), 234customer_id (workfront.versions.unsupported.DocumentApproval

attribute), 241customer_id (workfront.versions.unsupported.DocumentFolder

attribute), 242customer_id (workfront.versions.unsupported.DocumentProvider

attribute), 245customer_id (workfront.versions.unsupported.DocumentProviderConfig

attribute), 246customer_id (workfront.versions.unsupported.DocumentProviderMetadata

attribute), 246customer_id (workfront.versions.unsupported.DocumentRequest

attribute), 247customer_id (workfront.versions.unsupported.DocumentShare

attribute), 249customer_id (workfront.versions.unsupported.DocumentTaskStatus

attribute), 250customer_id (workfront.versions.unsupported.DocumentVersion

attribute), 250customer_id (workfront.versions.unsupported.EmailTemplate

attribute), 253customer_id (workfront.versions.unsupported.Endorsement

attribute), 254customer_id (workfront.versions.unsupported.EndorsementShare

attribute), 256customer_id (workfront.versions.unsupported.EventHandler

attribute), 257customer_id (workfront.versions.unsupported.EventSubscription

attribute), 258customer_id (workfront.versions.unsupported.ExchangeRate

attribute), 258customer_id (workfront.versions.unsupported.Expense

attribute), 259customer_id (workfront.versions.unsupported.ExpenseType

attribute), 262customer_id (workfront.versions.unsupported.ExternalSection

attribute), 265customer_id (workfront.versions.unsupported.Favorite

attribute), 266customer_id (workfront.versions.unsupported.FinancialData

attribute), 267customer_id (workfront.versions.unsupported.Group at-

tribute), 269customer_id (workfront.versions.unsupported.Hour at-

tribute), 270customer_id (workfront.versions.unsupported.HourType

attribute), 272customer_id (workfront.versions.unsupported.ImportRow

attribute), 273customer_id (workfront.versions.unsupported.ImportTemplate

attribute), 273customer_id (workfront.versions.unsupported.InstalledDDItem

attribute), 273customer_id (workfront.versions.unsupported.IPRange

attribute), 272customer_id (workfront.versions.unsupported.Issue at-

tribute), 276customer_id (workfront.versions.unsupported.Iteration

attribute), 282customer_id (workfront.versions.unsupported.JournalEntry

attribute), 285customer_id (workfront.versions.unsupported.JournalField

attribute), 288customer_id (workfront.versions.unsupported.LayoutTemplate

attribute), 289customer_id (workfront.versions.unsupported.LayoutTemplateCard

attribute), 291customer_id (workfront.versions.unsupported.LayoutTemplateDatePreference

attribute), 291customer_id (workfront.versions.unsupported.LayoutTemplatePage

attribute), 292customer_id (workfront.versions.unsupported.LicenseOrder

attribute), 292customer_id (workfront.versions.unsupported.Like

attribute), 293customer_id (workfront.versions.unsupported.LinkedFolder

attribute), 293customer_id (workfront.versions.unsupported.MasterTask

attribute), 295customer_id (workfront.versions.unsupported.Milestone

attribute), 298customer_id (workfront.versions.unsupported.MilestonePath

attribute), 298customer_id (workfront.versions.unsupported.NonWorkDay

478 Index

python-workfront Documentation, Release 0.8.0

attribute), 299customer_id (workfront.versions.unsupported.Note at-

tribute), 301customer_id (workfront.versions.unsupported.NoteTag

attribute), 304customer_id (workfront.versions.unsupported.NotificationRecord

attribute), 304customer_id (workfront.versions.unsupported.ObjectCategory

attribute), 306customer_id (workfront.versions.unsupported.Parameter

attribute), 306customer_id (workfront.versions.unsupported.ParameterGroup

attribute), 307customer_id (workfront.versions.unsupported.ParameterOption

attribute), 307customer_id (workfront.versions.unsupported.ParameterValue

attribute), 308customer_id (workfront.versions.unsupported.PopAccount

attribute), 310customer_id (workfront.versions.unsupported.PortalProfile

attribute), 310customer_id (workfront.versions.unsupported.PortalSection

attribute), 311customer_id (workfront.versions.unsupported.PortalTab

attribute), 316customer_id (workfront.versions.unsupported.PortalTabSection

attribute), 317customer_id (workfront.versions.unsupported.Portfolio

attribute), 318customer_id (workfront.versions.unsupported.Predecessor

attribute), 320customer_id (workfront.versions.unsupported.Preference

attribute), 320customer_id (workfront.versions.unsupported.Program

attribute), 321customer_id (workfront.versions.unsupported.Project at-

tribute), 327customer_id (workfront.versions.unsupported.ProjectUser

attribute), 335customer_id (workfront.versions.unsupported.ProjectUserRole

attribute), 336customer_id (workfront.versions.unsupported.QueueDef

attribute), 336customer_id (workfront.versions.unsupported.QueueTopic

attribute), 338customer_id (workfront.versions.unsupported.QueueTopicGroup

attribute), 339customer_id (workfront.versions.unsupported.Rate

attribute), 340customer_id (workfront.versions.unsupported.Recent at-

tribute), 340customer_id (workfront.versions.unsupported.RecentUpdate

attribute), 342customer_id (workfront.versions.unsupported.RecurrenceRule

attribute), 343customer_id (workfront.versions.unsupported.ReportFolder

attribute), 344customer_id (workfront.versions.unsupported.ReservedTime

attribute), 345customer_id (workfront.versions.unsupported.ResourceAllocation

attribute), 345customer_id (workfront.versions.unsupported.ResourcePool

attribute), 346customer_id (workfront.versions.unsupported.Risk

attribute), 347customer_id (workfront.versions.unsupported.RiskType

attribute), 347customer_id (workfront.versions.unsupported.Role at-

tribute), 348customer_id (workfront.versions.unsupported.RoutingRule

attribute), 349customer_id (workfront.versions.unsupported.S3Migration

attribute), 350customer_id (workfront.versions.unsupported.SandboxMigration

attribute), 352customer_id (workfront.versions.unsupported.Schedule

attribute), 353customer_id (workfront.versions.unsupported.ScheduledReport

attribute), 355customer_id (workfront.versions.unsupported.ScoreCard

attribute), 357customer_id (workfront.versions.unsupported.ScoreCardAnswer

attribute), 358customer_id (workfront.versions.unsupported.ScoreCardOption

attribute), 358customer_id (workfront.versions.unsupported.ScoreCardQuestion

attribute), 359customer_id (workfront.versions.unsupported.SearchEvent

attribute), 359customer_id (workfront.versions.unsupported.SecurityAncestor

attribute), 360customer_id (workfront.versions.unsupported.Sequence

attribute), 360customer_id (workfront.versions.unsupported.SharingSettings

attribute), 360customer_id (workfront.versions.unsupported.SSOMapping

attribute), 350customer_id (workfront.versions.unsupported.SSOMappingRule

attribute), 350customer_id (workfront.versions.unsupported.SSOOption

attribute), 351customer_id (workfront.versions.unsupported.SSOUsername

attribute), 352customer_id (workfront.versions.unsupported.StepApprover

attribute), 361customer_id (workfront.versions.unsupported.Task at-

tribute), 366customer_id (workfront.versions.unsupported.Team at-

Index 479

python-workfront Documentation, Release 0.8.0

tribute), 374customer_id (workfront.versions.unsupported.TeamMember

attribute), 376customer_id (workfront.versions.unsupported.TeamMemberRole

attribute), 376customer_id (workfront.versions.unsupported.Template

attribute), 377customer_id (workfront.versions.unsupported.TemplateAssignment

attribute), 382customer_id (workfront.versions.unsupported.TemplatePredecessor

attribute), 383customer_id (workfront.versions.unsupported.TemplateTask

attribute), 385customer_id (workfront.versions.unsupported.TemplateUser

attribute), 389customer_id (workfront.versions.unsupported.TemplateUserRole

attribute), 389customer_id (workfront.versions.unsupported.TimedNotification

attribute), 390customer_id (workfront.versions.unsupported.Timesheet

attribute), 390customer_id (workfront.versions.unsupported.TimesheetProfile

attribute), 392customer_id (workfront.versions.unsupported.TimesheetTemplate

attribute), 393customer_id (workfront.versions.unsupported.UIFilter at-

tribute), 394customer_id (workfront.versions.unsupported.UIGroupBy

attribute), 396customer_id (workfront.versions.unsupported.UIView at-

tribute), 397customer_id (workfront.versions.unsupported.User at-

tribute), 404customer_id (workfront.versions.unsupported.UserActivity

attribute), 411customer_id (workfront.versions.unsupported.UserAvailability

attribute), 411customer_id (workfront.versions.unsupported.UserDelegation

attribute), 412customer_id (workfront.versions.unsupported.UserGroups

attribute), 412customer_id (workfront.versions.unsupported.UserNote

attribute), 414customer_id (workfront.versions.unsupported.UserObjectPref

attribute), 416customer_id (workfront.versions.unsupported.UserPrefValue

attribute), 417customer_id (workfront.versions.unsupported.UsersSections

attribute), 419customer_id (workfront.versions.unsupported.WatchListEntry

attribute), 419customer_id (workfront.versions.unsupported.Work at-

tribute), 423customer_id (workfront.versions.unsupported.WorkItem

attribute), 432customer_id (workfront.versions.v40.AccessRule at-

tribute), 12customer_id (workfront.versions.v40.Approval attribute),

17customer_id (workfront.versions.v40.ApprovalPath at-

tribute), 28customer_id (workfront.versions.v40.ApprovalProcess

attribute), 29customer_id (workfront.versions.v40.ApprovalStep at-

tribute), 30customer_id (workfront.versions.v40.ApproverStatus at-

tribute), 30customer_id (workfront.versions.v40.Assignment at-

tribute), 31customer_id (workfront.versions.v40.BackgroundJob at-

tribute), 33customer_id (workfront.versions.v40.Baseline attribute),

34customer_id (workfront.versions.v40.BaselineTask at-

tribute), 35customer_id (workfront.versions.v40.BillingRecord at-

tribute), 37customer_id (workfront.versions.v40.Category attribute),

37customer_id (workfront.versions.v40.CategoryParameter

attribute), 38customer_id (workfront.versions.v40.CategoryParameterExpression

attribute), 39customer_id (workfront.versions.v40.Company attribute),

39customer_id (workfront.versions.v40.CustomEnum at-

tribute), 40customer_id (workfront.versions.v40.Document at-

tribute), 46customer_id (workfront.versions.v40.DocumentApproval

attribute), 49customer_id (workfront.versions.v40.DocumentFolder

attribute), 50customer_id (workfront.versions.v40.DocumentVersion

attribute), 51customer_id (workfront.versions.v40.ExchangeRate at-

tribute), 53customer_id (workfront.versions.v40.Expense attribute),

53customer_id (workfront.versions.v40.ExpenseType at-

tribute), 55customer_id (workfront.versions.v40.Favorite attribute),

56customer_id (workfront.versions.v40.FinancialData at-

tribute), 57customer_id (workfront.versions.v40.Group attribute), 58customer_id (workfront.versions.v40.Hour attribute), 59customer_id (workfront.versions.v40.HourType at-

480 Index

python-workfront Documentation, Release 0.8.0

tribute), 60customer_id (workfront.versions.v40.Issue attribute), 63customer_id (workfront.versions.v40.Iteration attribute),

68customer_id (workfront.versions.v40.JournalEntry

attribute), 70customer_id (workfront.versions.v40.LayoutTemplate at-

tribute), 72customer_id (workfront.versions.v40.Milestone at-

tribute), 74customer_id (workfront.versions.v40.MilestonePath at-

tribute), 74customer_id (workfront.versions.v40.NonWorkDay at-

tribute), 75customer_id (workfront.versions.v40.Note attribute), 76customer_id (workfront.versions.v40.NoteTag attribute),

79customer_id (workfront.versions.v40.Parameter at-

tribute), 79customer_id (workfront.versions.v40.ParameterGroup at-

tribute), 80customer_id (workfront.versions.v40.ParameterOption

attribute), 81customer_id (workfront.versions.v40.Portfolio attribute),

82customer_id (workfront.versions.v40.Predecessor at-

tribute), 83customer_id (workfront.versions.v40.Program attribute),

84customer_id (workfront.versions.v40.Project attribute),

89customer_id (workfront.versions.v40.ProjectUser at-

tribute), 95customer_id (workfront.versions.v40.ProjectUserRole at-

tribute), 96customer_id (workfront.versions.v40.QueueDef at-

tribute), 96customer_id (workfront.versions.v40.QueueTopic at-

tribute), 98customer_id (workfront.versions.v40.Rate attribute), 99customer_id (workfront.versions.v40.ReservedTime at-

tribute), 99customer_id (workfront.versions.v40.ResourceAllocation

attribute), 100customer_id (workfront.versions.v40.ResourcePool at-

tribute), 100customer_id (workfront.versions.v40.Risk attribute), 101customer_id (workfront.versions.v40.RiskType attribute),

102customer_id (workfront.versions.v40.Role attribute), 102customer_id (workfront.versions.v40.RoutingRule

attribute), 103customer_id (workfront.versions.v40.Schedule attribute),

104

customer_id (workfront.versions.v40.ScoreCard at-tribute), 105

customer_id (workfront.versions.v40.ScoreCardAnswerattribute), 106

customer_id (workfront.versions.v40.ScoreCardOptionattribute), 107

customer_id (workfront.versions.v40.ScoreCardQuestionattribute), 108

customer_id (workfront.versions.v40.StepApprover at-tribute), 108

customer_id (workfront.versions.v40.Task attribute), 112customer_id (workfront.versions.v40.Team attribute),

119customer_id (workfront.versions.v40.TeamMember at-

tribute), 120customer_id (workfront.versions.v40.Template attribute),

121customer_id (workfront.versions.v40.TemplateAssignment

attribute), 124customer_id (workfront.versions.v40.TemplatePredecessor

attribute), 125customer_id (workfront.versions.v40.TemplateTask at-

tribute), 126customer_id (workfront.versions.v40.TemplateUser at-

tribute), 130customer_id (workfront.versions.v40.TemplateUserRole

attribute), 130customer_id (workfront.versions.v40.Timesheet at-

tribute), 131customer_id (workfront.versions.v40.UIFilter attribute),

132customer_id (workfront.versions.v40.UIGroupBy at-

tribute), 133customer_id (workfront.versions.v40.UIView attribute),

135customer_id (workfront.versions.v40.User attribute), 139customer_id (workfront.versions.v40.UserActivity

attribute), 143customer_id (workfront.versions.v40.UserNote attribute),

144customer_id (workfront.versions.v40.UserPrefValue at-

tribute), 145customer_id (workfront.versions.v40.Work attribute),

148customer_id (workfront.versions.v40.WorkItem at-

tribute), 155customer_name (workfront.versions.unsupported.AnnouncementOptOut

attribute), 169customer_prefs (workfront.versions.unsupported.Customer

attribute), 223customer_recipients (work-

front.versions.unsupported.Announcementattribute), 168

customer_urlconfig_map (work-

Index 481

python-workfront Documentation, Release 0.8.0

front.versions.unsupported.Customer attribute),223

customer_urlconfig_map_id (work-front.versions.unsupported.Customer attribute),223

customer_urlconfig_map_id (work-front.versions.v40.Customer attribute), 42

CustomerFeedback (class in work-front.versions.unsupported), 231

CustomerPref (class in workfront.versions.unsupported),231

CustomerPreferences (class in work-front.versions.unsupported), 231

CustomerPreferences (class in workfront.versions.v40),46

CustomerTimelineCalc (class in work-front.versions.unsupported), 232

CustomMenu (class in workfront.versions.unsupported),220

CustomMenuCustomMenu (class in work-front.versions.unsupported), 221

CustomQuarter (class in work-front.versions.unsupported), 221

CustsSections (class in workfront.versions.unsupported),232

Ddata (workfront.session.WorkfrontAPIError attribute), 11data_type (workfront.versions.unsupported.LayoutTemplateCard

attribute), 291data_type (workfront.versions.unsupported.Parameter at-

tribute), 306data_type (workfront.versions.v40.Parameter attribute),

79date_added (workfront.versions.unsupported.RecentMenuItem

attribute), 341date_field (workfront.versions.unsupported.TimedNotification

attribute), 390date_modified (workfront.versions.unsupported.ExternalDocument

attribute), 263date_preference (work-

front.versions.unsupported.LayoutTemplateDatePreferenceattribute), 292

date_val (workfront.versions.unsupported.ParameterValueattribute), 308

day_summaries (workfront.versions.unsupported.UserResourceattribute), 418

days_late (workfront.versions.unsupported.Approval at-tribute), 177

days_late (workfront.versions.unsupported.Task at-tribute), 366

days_late (workfront.versions.unsupported.Work at-tribute), 423

days_late (workfront.versions.v40.Approval attribute), 17

days_late (workfront.versions.v40.Task attribute), 112days_late (workfront.versions.v40.Work attribute), 148dd_svnversion (workfront.versions.unsupported.Customer

attribute), 223dd_svnversion (workfront.versions.v40.Customer at-

tribute), 42default_approval_process (work-

front.versions.unsupported.QueueDef at-tribute), 336

default_approval_process (work-front.versions.unsupported.QueueTopic at-tribute), 338

default_approval_process (work-front.versions.v40.QueueDef attribute), 96

default_approval_process (work-front.versions.v40.QueueTopic attribute),98

default_approval_process_id (work-front.versions.unsupported.QueueDef at-tribute), 336

default_approval_process_id (work-front.versions.unsupported.QueueTopic at-tribute), 338

default_approval_process_id (work-front.versions.v40.QueueDef attribute), 96

default_approval_process_id (work-front.versions.v40.QueueTopic attribute),98

default_assigned_to (work-front.versions.unsupported.RoutingRuleattribute), 349

default_assigned_to (work-front.versions.v40.RoutingRule attribute),103

default_assigned_to_id (work-front.versions.unsupported.RoutingRuleattribute), 349

default_assigned_to_id (work-front.versions.v40.RoutingRule attribute),103

default_attribute (work-front.versions.unsupported.SSOMappingattribute), 350

default_baseline (work-front.versions.unsupported.Approval attribute),177

default_baseline (workfront.versions.unsupported.Projectattribute), 327

default_baseline (workfront.versions.v40.Approval at-tribute), 17

default_baseline (workfront.versions.v40.Project at-tribute), 89

default_baseline_task (work-front.versions.unsupported.Approval attribute),

482 Index

python-workfront Documentation, Release 0.8.0

177default_baseline_task (work-

front.versions.unsupported.Task attribute),366

default_baseline_task (work-front.versions.unsupported.Work attribute),423

default_baseline_task (workfront.versions.v40.Approvalattribute), 17

default_baseline_task (workfront.versions.v40.Task at-tribute), 112

default_baseline_task (workfront.versions.v40.Work at-tribute), 148

default_category (work-front.versions.unsupported.QueueDef at-tribute), 337

default_category (work-front.versions.unsupported.QueueTopic at-tribute), 338

default_category (workfront.versions.v40.QueueDef at-tribute), 96

default_category (workfront.versions.v40.QueueTopic at-tribute), 98

default_category_id (work-front.versions.unsupported.QueueDef at-tribute), 337

default_category_id (work-front.versions.unsupported.QueueTopic at-tribute), 338

default_category_id (workfront.versions.v40.QueueDefattribute), 97

default_category_id (workfront.versions.v40.QueueTopicattribute), 98

default_duration (work-front.versions.unsupported.QueueTopic at-tribute), 338

default_duration (workfront.versions.v40.QueueTopic at-tribute), 98

default_duration_expression (work-front.versions.unsupported.QueueDef at-tribute), 337

default_duration_expression (work-front.versions.unsupported.QueueTopic at-tribute), 338

default_duration_expression (work-front.versions.v40.QueueDef attribute), 97

default_duration_expression (work-front.versions.v40.QueueTopic attribute),98

default_duration_minutes (work-front.versions.unsupported.QueueDef at-tribute), 337

default_duration_minutes (work-front.versions.unsupported.QueueTopic at-

tribute), 338default_duration_minutes (work-

front.versions.v40.QueueDef attribute), 97default_duration_minutes (work-

front.versions.v40.QueueTopic attribute),98

default_duration_unit (work-front.versions.unsupported.QueueDef at-tribute), 337

default_duration_unit (work-front.versions.unsupported.QueueTopic at-tribute), 338

default_duration_unit (workfront.versions.v40.QueueDefattribute), 97

default_duration_unit (work-front.versions.v40.QueueTopic attribute),98

default_forbidden_contribute_actions (work-front.versions.unsupported.Approval attribute),177

default_forbidden_contribute_actions (work-front.versions.unsupported.Project attribute),327

default_forbidden_contribute_actions (work-front.versions.unsupported.Template attribute),377

default_forbidden_manage_actions (work-front.versions.unsupported.Approval attribute),177

default_forbidden_manage_actions (work-front.versions.unsupported.Project attribute),327

default_forbidden_manage_actions (work-front.versions.unsupported.Template attribute),377

default_forbidden_view_actions (work-front.versions.unsupported.Approval attribute),177

default_forbidden_view_actions (work-front.versions.unsupported.Project attribute),327

default_forbidden_view_actions (work-front.versions.unsupported.Template attribute),377

default_hour_type (workfront.versions.unsupported.Userattribute), 404

default_hour_type (workfront.versions.v40.User at-tribute), 139

default_hour_type_id (work-front.versions.unsupported.User attribute),404

default_hour_type_id (workfront.versions.v40.User at-tribute), 139

default_interface (work-

Index 483

python-workfront Documentation, Release 0.8.0

front.versions.unsupported.Company attribute),217

default_interface (workfront.versions.unsupported.Groupattribute), 269

default_interface (workfront.versions.unsupported.Roleattribute), 348

default_interface (workfront.versions.unsupported.Teamattribute), 374

default_interface (workfront.versions.unsupported.Userattribute), 404

default_interface (workfront.versions.v40.User attribute),139

default_nav_item (work-front.versions.unsupported.LayoutTemplateattribute), 289

default_nav_item (work-front.versions.v40.LayoutTemplate attribute),72

default_project (workfront.versions.unsupported.RoutingRuleattribute), 349

default_project (workfront.versions.v40.RoutingRule at-tribute), 103

default_project_id (work-front.versions.unsupported.RoutingRuleattribute), 349

default_project_id (workfront.versions.v40.RoutingRuleattribute), 103

default_role (workfront.versions.unsupported.RoutingRuleattribute), 349

default_role (workfront.versions.v40.RoutingRuleattribute), 103

default_role_id (workfront.versions.unsupported.RoutingRuleattribute), 349

default_role_id (workfront.versions.v40.RoutingRule at-tribute), 103

default_route (workfront.versions.unsupported.QueueDefattribute), 337

default_route (workfront.versions.unsupported.QueueTopicattribute), 338

default_route (workfront.versions.v40.QueueDef at-tribute), 97

default_route (workfront.versions.v40.QueueTopicattribute), 98

default_route_id (work-front.versions.unsupported.QueueDef at-tribute), 337

default_route_id (work-front.versions.unsupported.QueueTopic at-tribute), 338

default_route_id (workfront.versions.v40.QueueDef at-tribute), 97

default_route_id (workfront.versions.v40.QueueTopic at-tribute), 98

default_tab (workfront.versions.unsupported.PortalSection

attribute), 312default_team (workfront.versions.unsupported.RoutingRule

attribute), 349default_team (workfront.versions.v40.RoutingRule at-

tribute), 103default_team_id (work-

front.versions.unsupported.RoutingRuleattribute), 349

default_team_id (workfront.versions.v40.RoutingRule at-tribute), 103

default_topic_group_id (work-front.versions.unsupported.QueueDef at-tribute), 337

definition (workfront.versions.unsupported.PortalSectionattribute), 312

definition (workfront.versions.unsupported.UIFilter at-tribute), 394

definition (workfront.versions.unsupported.UIGroupByattribute), 396

definition (workfront.versions.unsupported.UIView at-tribute), 397

definition (workfront.versions.v40.UIFilter attribute), 132definition (workfront.versions.v40.UIGroupBy attribute),

133definition (workfront.versions.v40.UIView attribute), 135delegate_user (workfront.versions.unsupported.ApproverStatus

attribute), 193delegate_user_id (work-

front.versions.unsupported.ApproverStatusattribute), 193

delegation_to (workfront.versions.unsupported.User at-tribute), 404

delegation_to_id (workfront.versions.unsupported.Userattribute), 404

delegations_from (workfront.versions.unsupported.Userattribute), 404

delete() (workfront.meta.Object method), 12delete() (workfront.Session method), 10delete_document_proofs() (work-

front.versions.unsupported.Document method),234

delete_duplicate_availability() (work-front.versions.unsupported.UserAvailabilitymethod), 411

delete_early_access() (work-front.versions.unsupported.Company method),218

delete_early_access() (work-front.versions.unsupported.Group method),269

delete_early_access() (work-front.versions.unsupported.Role method),348

delete_early_access() (work-

484 Index

python-workfront Documentation, Release 0.8.0

front.versions.unsupported.Team method),374

delete_early_access() (work-front.versions.unsupported.User method),404

delete_folders_and_contents() (work-front.versions.unsupported.DocumentFoldermethod), 242

delete_recent() (workfront.versions.unsupported.RecentMenuItemmethod), 341

deliverable_score_card (work-front.versions.unsupported.Approval attribute),177

deliverable_score_card (work-front.versions.unsupported.Project attribute),327

deliverable_score_card (work-front.versions.unsupported.Template attribute),377

deliverable_score_card (work-front.versions.v40.Approval attribute), 17

deliverable_score_card (workfront.versions.v40.Projectattribute), 89

deliverable_score_card (work-front.versions.v40.Template attribute), 121

deliverable_score_card_id (work-front.versions.unsupported.Approval attribute),177

deliverable_score_card_id (work-front.versions.unsupported.Project attribute),327

deliverable_score_card_id (work-front.versions.unsupported.Template attribute),378

deliverable_score_card_id (work-front.versions.v40.Approval attribute), 17

deliverable_score_card_id (work-front.versions.v40.Project attribute), 89

deliverable_score_card_id (work-front.versions.v40.Template attribute), 121

deliverable_success_score (work-front.versions.unsupported.Approval attribute),177

deliverable_success_score (work-front.versions.unsupported.Project attribute),327

deliverable_success_score (work-front.versions.unsupported.Template attribute),378

deliverable_success_score (work-front.versions.v40.Approval attribute), 17

deliverable_success_score (work-front.versions.v40.Project attribute), 89

deliverable_success_score (work-

front.versions.v40.Template attribute), 122deliverable_success_score_ratio (work-

front.versions.unsupported.Approval attribute),178

deliverable_success_score_ratio (work-front.versions.unsupported.Project attribute),327

deliverable_success_score_ratio (work-front.versions.v40.Approval attribute), 17

deliverable_success_score_ratio (work-front.versions.v40.Project attribute), 89

deliverable_values (work-front.versions.unsupported.Approval attribute),178

deliverable_values (work-front.versions.unsupported.Project attribute),327

deliverable_values (work-front.versions.unsupported.Template attribute),378

deliverable_values (workfront.versions.v40.Approval at-tribute), 17

deliverable_values (workfront.versions.v40.Project at-tribute), 89

deliverable_values (workfront.versions.v40.Template at-tribute), 122

delta_points_complete (work-front.versions.unsupported.BurndownEventattribute), 207

delta_total_items (work-front.versions.unsupported.BurndownEventattribute), 207

delta_total_points (work-front.versions.unsupported.BurndownEventattribute), 207

demo_baseline_date (work-front.versions.unsupported.Customer attribute),223

demo_baseline_date (workfront.versions.v40.Customerattribute), 42

description (workfront.versions.unsupported.AccessLevelattribute), 157

description (workfront.versions.unsupported.AccessScopeattribute), 164

description (workfront.versions.unsupported.AccountRepattribute), 166

description (workfront.versions.unsupported.AppEventattribute), 171

description (workfront.versions.unsupported.Approval at-tribute), 178

description (workfront.versions.unsupported.ApprovalProcessattribute), 190

description (workfront.versions.unsupported.BillingRecordattribute), 206

Index 485

python-workfront Documentation, Release 0.8.0

description (workfront.versions.unsupported.CalendarEventattribute), 208

description (workfront.versions.unsupported.Category at-tribute), 213

description (workfront.versions.unsupported.CustomEnumattribute), 219

description (workfront.versions.unsupported.Customerattribute), 223

description (workfront.versions.unsupported.Documentattribute), 234

description (workfront.versions.unsupported.DocumentRequestattribute), 247

description (workfront.versions.unsupported.DocumentShareattribute), 249

description (workfront.versions.unsupported.EmailTemplateattribute), 253

description (workfront.versions.unsupported.Endorsementattribute), 254

description (workfront.versions.unsupported.EventHandlerattribute), 257

description (workfront.versions.unsupported.Expense at-tribute), 259

description (workfront.versions.unsupported.ExpenseTypeattribute), 262

description (workfront.versions.unsupported.ExternalDocumentattribute), 263

description (workfront.versions.unsupported.ExternalSectionattribute), 265

description (workfront.versions.unsupported.Group at-tribute), 269

description (workfront.versions.unsupported.Hourattribute), 270

description (workfront.versions.unsupported.HourTypeattribute), 272

description (workfront.versions.unsupported.Issueattribute), 276

description (workfront.versions.unsupported.LayoutTemplateattribute), 289

description (workfront.versions.unsupported.LicenseOrderattribute), 292

description (workfront.versions.unsupported.MasterTaskattribute), 295

description (workfront.versions.unsupported.Milestoneattribute), 298

description (workfront.versions.unsupported.MilestonePathattribute), 298

description (workfront.versions.unsupported.Parameterattribute), 306

description (workfront.versions.unsupported.ParameterGroupattribute), 307

description (workfront.versions.unsupported.PortalProfileattribute), 311

description (workfront.versions.unsupported.PortalSectionattribute), 312

description (workfront.versions.unsupported.PortalTabattribute), 316

description (workfront.versions.unsupported.Portfolio at-tribute), 318

description (workfront.versions.unsupported.Program at-tribute), 321

description (workfront.versions.unsupported.Project at-tribute), 327

description (workfront.versions.unsupported.QueueTopicattribute), 338

description (workfront.versions.unsupported.QueueTopicGroupattribute), 339

description (workfront.versions.unsupported.Reseller at-tribute), 344

description (workfront.versions.unsupported.ResourcePoolattribute), 346

description (workfront.versions.unsupported.Risk at-tribute), 347

description (workfront.versions.unsupported.RiskTypeattribute), 347

description (workfront.versions.unsupported.Role at-tribute), 348

description (workfront.versions.unsupported.RoutingRuleattribute), 349

description (workfront.versions.unsupported.ScheduledReportattribute), 355

description (workfront.versions.unsupported.ScoreCardattribute), 357

description (workfront.versions.unsupported.ScoreCardQuestionattribute), 359

description (workfront.versions.unsupported.Task at-tribute), 366

description (workfront.versions.unsupported.Teamattribute), 374

description (workfront.versions.unsupported.Template at-tribute), 378

description (workfront.versions.unsupported.TemplateTaskattribute), 385

description (workfront.versions.unsupported.TimedNotificationattribute), 390

description (workfront.versions.unsupported.TimesheetProfileattribute), 392

description (workfront.versions.unsupported.WhatsNewattribute), 419

description (workfront.versions.unsupported.Workattribute), 423

description (workfront.versions.v40.Approval attribute),18

description (workfront.versions.v40.ApprovalProcess at-tribute), 29

description (workfront.versions.v40.BillingRecordattribute), 37

description (workfront.versions.v40.Category attribute),37

486 Index

python-workfront Documentation, Release 0.8.0

description (workfront.versions.v40.CustomEnumattribute), 40

description (workfront.versions.v40.Customer attribute),42

description (workfront.versions.v40.Document attribute),46

description (workfront.versions.v40.Expense attribute),53

description (workfront.versions.v40.ExpenseType at-tribute), 55

description (workfront.versions.v40.Group attribute), 58description (workfront.versions.v40.Hour attribute), 59description (workfront.versions.v40.HourType attribute),

60description (workfront.versions.v40.Issue attribute), 63description (workfront.versions.v40.LayoutTemplate at-

tribute), 72description (workfront.versions.v40.Milestone attribute),

74description (workfront.versions.v40.MilestonePath

attribute), 74description (workfront.versions.v40.Parameter attribute),

79description (workfront.versions.v40.ParameterGroup at-

tribute), 80description (workfront.versions.v40.Portfolio attribute),

82description (workfront.versions.v40.Program attribute),

84description (workfront.versions.v40.Project attribute), 89description (workfront.versions.v40.QueueTopic at-

tribute), 98description (workfront.versions.v40.ResourcePool

attribute), 100description (workfront.versions.v40.Risk attribute), 101description (workfront.versions.v40.RiskType attribute),

102description (workfront.versions.v40.Role attribute), 102description (workfront.versions.v40.RoutingRule at-

tribute), 103description (workfront.versions.v40.ScoreCard attribute),

105description (workfront.versions.v40.ScoreCardQuestion

attribute), 108description (workfront.versions.v40.Task attribute), 112description (workfront.versions.v40.Team attribute), 119description (workfront.versions.v40.Template attribute),

122description (workfront.versions.v40.TemplateTask

attribute), 126description (workfront.versions.v40.Work attribute), 148description_key (work-

front.versions.unsupported.AccessLevelattribute), 157

description_key (work-front.versions.unsupported.AccessScopeattribute), 164

description_key (work-front.versions.unsupported.AppEvent at-tribute), 171

description_key (work-front.versions.unsupported.EventHandlerattribute), 257

description_key (work-front.versions.unsupported.ExpenseTypeattribute), 262

description_key (work-front.versions.unsupported.ExternalSectionattribute), 265

description_key (work-front.versions.unsupported.HourType at-tribute), 272

description_key (work-front.versions.unsupported.LayoutTemplateattribute), 289

description_key (work-front.versions.unsupported.PortalProfileattribute), 311

description_key (work-front.versions.unsupported.PortalSectionattribute), 312

description_key (workfront.versions.v40.ExpenseTypeattribute), 56

description_key (workfront.versions.v40.HourType at-tribute), 60

description_key (workfront.versions.v40.LayoutTemplateattribute), 73

detail_level (workfront.versions.unsupported.UserResourceattribute), 418

details (workfront.versions.unsupported.Branding at-tribute), 207

device_token (workfront.versions.unsupported.MobileDeviceattribute), 299

device_type (workfront.versions.unsupported.MobileDeviceattribute), 299

direct_reports (workfront.versions.unsupported.User at-tribute), 404

direct_reports (workfront.versions.v40.User attribute),139

disabled_date (workfront.versions.unsupported.Customerattribute), 224

disabled_date (workfront.versions.v40.Customer at-tribute), 42

display_access_type (work-front.versions.unsupported.AccessLevelattribute), 157

display_name (workfront.versions.unsupported.BillingRecordattribute), 206

Index 487

python-workfront Documentation, Release 0.8.0

display_name (workfront.versions.unsupported.JournalFieldattribute), 288

display_name (workfront.versions.unsupported.Timesheetattribute), 391

display_name (workfront.versions.unsupported.UIFilterattribute), 394

display_name (workfront.versions.unsupported.UIGroupByattribute), 396

display_name (workfront.versions.unsupported.UIViewattribute), 397

display_name (workfront.versions.v40.BillingRecord at-tribute), 37

display_name (workfront.versions.v40.Timesheet at-tribute), 131

display_name (workfront.versions.v40.UIFilter attribute),132

display_name (workfront.versions.v40.UIGroupBy at-tribute), 133

display_name (workfront.versions.v40.UIView attribute),135

display_obj_obj_code (work-front.versions.unsupported.HourType at-tribute), 272

display_obj_obj_code (workfront.versions.v40.HourTypeattribute), 60

display_order (workfront.versions.unsupported.AccessScopeattribute), 164

display_order (workfront.versions.unsupported.Approvalattribute), 178

display_order (workfront.versions.unsupported.CategoryParameterattribute), 216

display_order (workfront.versions.unsupported.CustomEnumOrderattribute), 220

display_order (workfront.versions.unsupported.CustomMenuattribute), 220

display_order (workfront.versions.unsupported.CustomMenuCustomMenuattribute), 221

display_order (workfront.versions.unsupported.LayoutTemplateCardattribute), 291

display_order (workfront.versions.unsupported.ParameterGroupattribute), 307

display_order (workfront.versions.unsupported.ParameterOptionattribute), 307

display_order (workfront.versions.unsupported.PortalTabattribute), 316

display_order (workfront.versions.unsupported.PortalTabSectionattribute), 317

display_order (workfront.versions.unsupported.Projectattribute), 327

display_order (workfront.versions.unsupported.ResourcePoolattribute), 346

display_order (workfront.versions.unsupported.ScoreCardOptionattribute), 359

display_order (workfront.versions.unsupported.ScoreCardQuestion

attribute), 359display_order (workfront.versions.v40.Approval at-

tribute), 18display_order (workfront.versions.v40.CategoryParameter

attribute), 38display_order (workfront.versions.v40.ParameterGroup

attribute), 80display_order (workfront.versions.v40.ParameterOption

attribute), 81display_order (workfront.versions.v40.Project attribute),

89display_order (workfront.versions.v40.ResourcePool at-

tribute), 101display_order (workfront.versions.v40.ScoreCardOption

attribute), 107display_order (workfront.versions.v40.ScoreCardQuestion

attribute), 108display_per (workfront.versions.unsupported.ExpenseType

attribute), 262display_per (workfront.versions.v40.ExpenseType

attribute), 56display_queue_breadcrumb (work-

front.versions.unsupported.Approval attribute),178

display_queue_breadcrumb (work-front.versions.unsupported.Issue attribute),276

display_queue_breadcrumb (work-front.versions.unsupported.Work attribute),423

display_rate_unit (work-front.versions.unsupported.ExpenseTypeattribute), 262

display_rate_unit (workfront.versions.v40.ExpenseTypeattribute), 56

display_size (workfront.versions.unsupported.Parameterattribute), 306

display_size (workfront.versions.v40.Parameter at-tribute), 79

display_subject_value (work-front.versions.unsupported.EventHandlerattribute), 257

display_type (workfront.versions.unsupported.Parameterattribute), 306

display_type (workfront.versions.unsupported.ScoreCardQuestionattribute), 359

display_type (workfront.versions.v40.Parameter at-tribute), 80

display_type (workfront.versions.v40.ScoreCardQuestionattribute), 108

doc_id (workfront.versions.unsupported.PortalTabattribute), 316

doc_obj_code (workfront.versions.unsupported.Documentattribute), 234

488 Index

python-workfront Documentation, Release 0.8.0

doc_obj_code (workfront.versions.v40.Document at-tribute), 47

doc_provider_config (work-front.versions.unsupported.DocumentProviderattribute), 245

doc_provider_config_id (work-front.versions.unsupported.DocumentProviderattribute), 245

doc_size (workfront.versions.unsupported.AnnouncementAttachmentattribute), 169

doc_size (workfront.versions.unsupported.DocumentVersionattribute), 251

doc_size (workfront.versions.v40.DocumentVersion at-tribute), 51

doc_status (workfront.versions.unsupported.DocumentVersionattribute), 251

DocsFolders (class in workfront.versions.unsupported),232

Document (class in workfront.versions.unsupported), 233Document (class in workfront.versions.v40), 46document (workfront.versions.unsupported.AccessToken

attribute), 165document (workfront.versions.unsupported.AwaitingApproval

attribute), 200document (workfront.versions.unsupported.DocsFolders

attribute), 232document (workfront.versions.unsupported.DocumentApproval

attribute), 241document (workfront.versions.unsupported.DocumentShare

attribute), 249document (workfront.versions.unsupported.DocumentVersion

attribute), 251document (workfront.versions.unsupported.JournalEntry

attribute), 285document (workfront.versions.unsupported.Note at-

tribute), 301document (workfront.versions.unsupported.ParameterValue

attribute), 308document (workfront.versions.v40.DocumentApproval

attribute), 49document (workfront.versions.v40.DocumentVersion at-

tribute), 52document (workfront.versions.v40.JournalEntry at-

tribute), 70document (workfront.versions.v40.Note attribute), 76document_approval (work-

front.versions.unsupported.JournalEntryattribute), 285

document_approval (work-front.versions.unsupported.UserNote attribute),414

document_approval (work-front.versions.v40.JournalEntry attribute),70

document_approval (workfront.versions.v40.UserNoteattribute), 144

document_approval_id (work-front.versions.unsupported.JournalEntryattribute), 285

document_approval_id (work-front.versions.unsupported.UserNote attribute),414

document_approval_id (work-front.versions.v40.JournalEntry attribute),70

document_approval_id (work-front.versions.v40.UserNote attribute), 144

document_id (workfront.versions.unsupported.AccessTokenattribute), 165

document_id (workfront.versions.unsupported.AwaitingApprovalattribute), 200

document_id (workfront.versions.unsupported.DocsFoldersattribute), 232

document_id (workfront.versions.unsupported.DocumentApprovalattribute), 241

document_id (workfront.versions.unsupported.DocumentShareattribute), 249

document_id (workfront.versions.unsupported.DocumentVersionattribute), 251

document_id (workfront.versions.unsupported.JournalEntryattribute), 285

document_id (workfront.versions.unsupported.Note at-tribute), 301

document_id (workfront.versions.unsupported.ParameterValueattribute), 308

document_id (workfront.versions.v40.DocumentApprovalattribute), 50

document_id (workfront.versions.v40.DocumentVersionattribute), 52

document_id (workfront.versions.v40.JournalEntry at-tribute), 70

document_id (workfront.versions.v40.Note attribute), 76document_provider (work-

front.versions.unsupported.DocumentVersionattribute), 251

document_provider (work-front.versions.unsupported.LinkedFolderattribute), 293

document_provider_id (work-front.versions.unsupported.Document at-tribute), 234

document_provider_id (work-front.versions.unsupported.DocumentVersionattribute), 251

document_provider_id (work-front.versions.unsupported.ExternalDocumentattribute), 263

document_provider_id (work-

Index 489

python-workfront Documentation, Release 0.8.0

front.versions.unsupported.LinkedFolderattribute), 294

document_request (work-front.versions.unsupported.AccessTokenattribute), 165

document_request (work-front.versions.unsupported.Document at-tribute), 234

document_request (work-front.versions.unsupported.UserNote attribute),414

document_request_id (work-front.versions.unsupported.AccessTokenattribute), 165

document_request_id (work-front.versions.unsupported.Document at-tribute), 234

document_request_id (work-front.versions.unsupported.UserNote attribute),414

document_request_id (workfront.versions.v40.Documentattribute), 47

document_request_id (workfront.versions.v40.UserNoteattribute), 144

document_requests (work-front.versions.unsupported.Approval attribute),178

document_requests (work-front.versions.unsupported.Customer attribute),224

document_requests (work-front.versions.unsupported.Issue attribute),276

document_requests (work-front.versions.unsupported.Iteration attribute),282

document_requests (work-front.versions.unsupported.MasterTask at-tribute), 295

document_requests (work-front.versions.unsupported.Portfolio attribute),318

document_requests (work-front.versions.unsupported.Program attribute),321

document_requests (work-front.versions.unsupported.Project attribute),327

document_requests (work-front.versions.unsupported.Task attribute),366

document_requests (work-front.versions.unsupported.Template attribute),378

document_requests (work-front.versions.unsupported.TemplateTaskattribute), 385

document_requests (work-front.versions.unsupported.User attribute),404

document_requests (work-front.versions.unsupported.Work attribute),423

document_share (work-front.versions.unsupported.JournalEntryattribute), 285

document_share (work-front.versions.unsupported.UserNote attribute),414

document_share_id (work-front.versions.unsupported.JournalEntryattribute), 285

document_share_id (work-front.versions.unsupported.UserNote attribute),414

document_share_id (work-front.versions.v40.JournalEntry attribute),70

document_share_id (workfront.versions.v40.UserNoteattribute), 144

document_size (workfront.versions.unsupported.Customerattribute), 224

document_size (workfront.versions.v40.Customer at-tribute), 42

document_type_label (work-front.versions.unsupported.DocumentVersionattribute), 251

document_type_label (work-front.versions.v40.DocumentVersion attribute),52

document_version_id (work-front.versions.unsupported.DocumentTaskStatusattribute), 250

DocumentApproval (class in work-front.versions.unsupported), 241

DocumentApproval (class in workfront.versions.v40), 49DocumentFolder (class in work-

front.versions.unsupported), 242DocumentFolder (class in workfront.versions.v40), 50DocumentProvider (class in work-

front.versions.unsupported), 245DocumentProviderConfig (class in work-

front.versions.unsupported), 246DocumentProviderMetadata (class in work-

front.versions.unsupported), 246DocumentRequest (class in work-

front.versions.unsupported), 247documents (workfront.versions.unsupported.Approval at-

490 Index

python-workfront Documentation, Release 0.8.0

tribute), 178documents (workfront.versions.unsupported.Customer

attribute), 224documents (workfront.versions.unsupported.DocumentFolder

attribute), 242documents (workfront.versions.unsupported.Issue at-

tribute), 276documents (workfront.versions.unsupported.Iteration at-

tribute), 282documents (workfront.versions.unsupported.MasterTask

attribute), 295documents (workfront.versions.unsupported.Portfolio at-

tribute), 318documents (workfront.versions.unsupported.Program at-

tribute), 321documents (workfront.versions.unsupported.Project at-

tribute), 327documents (workfront.versions.unsupported.Task at-

tribute), 366documents (workfront.versions.unsupported.Template at-

tribute), 378documents (workfront.versions.unsupported.TemplateTask

attribute), 385documents (workfront.versions.unsupported.User at-

tribute), 404documents (workfront.versions.unsupported.Work

attribute), 423documents (workfront.versions.v40.Approval attribute),

18documents (workfront.versions.v40.Customer attribute),

42documents (workfront.versions.v40.DocumentFolder at-

tribute), 50documents (workfront.versions.v40.Issue attribute), 63documents (workfront.versions.v40.Iteration attribute),

68documents (workfront.versions.v40.Portfolio attribute),

82documents (workfront.versions.v40.Program attribute),

84documents (workfront.versions.v40.Project attribute), 89documents (workfront.versions.v40.Task attribute), 112documents (workfront.versions.v40.Template attribute),

122documents (workfront.versions.v40.TemplateTask at-

tribute), 126documents (workfront.versions.v40.User attribute), 139documents (workfront.versions.v40.Work attribute), 148DocumentShare (class in work-

front.versions.unsupported), 248DocumentTaskStatus (class in work-

front.versions.unsupported), 250DocumentVersion (class in work-

front.versions.unsupported), 250

DocumentVersion (class in workfront.versions.v40), 51domain (workfront.versions.unsupported.Customer at-

tribute), 224domain (workfront.versions.unsupported.SandboxMigration

attribute), 352domain (workfront.versions.v40.Customer attribute), 42done_date (workfront.versions.unsupported.WorkItem at-

tribute), 432done_date (workfront.versions.v40.WorkItem attribute),

156done_statuses (workfront.versions.unsupported.Approval

attribute), 178done_statuses (workfront.versions.unsupported.Issue at-

tribute), 276done_statuses (workfront.versions.unsupported.Task at-

tribute), 366done_statuses (workfront.versions.unsupported.Work at-

tribute), 423done_statuses (workfront.versions.v40.Approval at-

tribute), 18done_statuses (workfront.versions.v40.Issue attribute), 63done_statuses (workfront.versions.v40.Task attribute),

112done_statuses (workfront.versions.v40.Work attribute),

148download_url (workfront.versions.unsupported.Document

attribute), 235download_url (workfront.versions.unsupported.ExternalDocument

attribute), 263download_url (workfront.versions.v40.Document at-

tribute), 47due_date (workfront.versions.unsupported.Approval at-

tribute), 178due_date (workfront.versions.unsupported.CalendarFeedEntry

attribute), 208due_date (workfront.versions.unsupported.Issue at-

tribute), 276due_date (workfront.versions.unsupported.Task at-

tribute), 366due_date (workfront.versions.unsupported.Work at-

tribute), 423due_date (workfront.versions.v40.Approval attribute), 18due_date (workfront.versions.v40.Issue attribute), 63due_date (workfront.versions.v40.Task attribute), 112due_date (workfront.versions.v40.Work attribute), 148dup_id (workfront.versions.unsupported.Hour attribute),

270dup_id (workfront.versions.v40.Hour attribute), 59duration (workfront.versions.unsupported.Approval at-

tribute), 178duration (workfront.versions.unsupported.CalendarSection

attribute), 211duration (workfront.versions.unsupported.Task attribute),

366

Index 491

python-workfront Documentation, Release 0.8.0

duration (workfront.versions.unsupported.TemplateTaskattribute), 385

duration (workfront.versions.unsupported.Work at-tribute), 423

duration (workfront.versions.v40.Approval attribute), 18duration (workfront.versions.v40.Task attribute), 112duration (workfront.versions.v40.TemplateTask at-

tribute), 126duration (workfront.versions.v40.Work attribute), 148duration_expression (work-

front.versions.unsupported.Approval attribute),178

duration_expression (work-front.versions.unsupported.Project attribute),327

duration_expression (work-front.versions.unsupported.RecurrenceRuleattribute), 343

duration_expression (work-front.versions.unsupported.Task attribute),366

duration_expression (work-front.versions.unsupported.Template attribute),378

duration_expression (work-front.versions.unsupported.TemplateTaskattribute), 385

duration_expression (work-front.versions.unsupported.Work attribute),423

duration_expression (workfront.versions.v40.Approvalattribute), 18

duration_expression (workfront.versions.v40.Project at-tribute), 89

duration_expression (workfront.versions.v40.Taskattribute), 112

duration_expression (workfront.versions.v40.Work at-tribute), 148

duration_minutes (work-front.versions.unsupported.Approval attribute),178

duration_minutes (work-front.versions.unsupported.ApprovalPathattribute), 190

duration_minutes (work-front.versions.unsupported.ApprovalProcessattribute), 190

duration_minutes (work-front.versions.unsupported.Baseline attribute),203

duration_minutes (work-front.versions.unsupported.BaselineTaskattribute), 205

duration_minutes (workfront.versions.unsupported.Issue

attribute), 276duration_minutes (work-

front.versions.unsupported.JournalEntryattribute), 285

duration_minutes (work-front.versions.unsupported.MasterTask at-tribute), 295

duration_minutes (work-front.versions.unsupported.Project attribute),327

duration_minutes (work-front.versions.unsupported.RecurrenceRuleattribute), 343

duration_minutes (workfront.versions.unsupported.Taskattribute), 366

duration_minutes (work-front.versions.unsupported.Template attribute),378

duration_minutes (work-front.versions.unsupported.TemplateTaskattribute), 385

duration_minutes (work-front.versions.unsupported.TimedNotificationattribute), 390

duration_minutes (workfront.versions.unsupported.Workattribute), 423

duration_minutes (workfront.versions.v40.Approval at-tribute), 18

duration_minutes (workfront.versions.v40.ApprovalPathattribute), 28

duration_minutes (work-front.versions.v40.ApprovalProcess attribute),29

duration_minutes (workfront.versions.v40.Baseline at-tribute), 34

duration_minutes (workfront.versions.v40.BaselineTaskattribute), 35

duration_minutes (workfront.versions.v40.JournalEntryattribute), 70

duration_minutes (workfront.versions.v40.Project at-tribute), 89

duration_minutes (workfront.versions.v40.Task at-tribute), 112

duration_minutes (workfront.versions.v40.Template at-tribute), 122

duration_minutes (workfront.versions.v40.TemplateTaskattribute), 126

duration_minutes (workfront.versions.v40.Work at-tribute), 148

duration_type (workfront.versions.unsupported.Approvalattribute), 178

duration_type (workfront.versions.unsupported.MasterTaskattribute), 295

duration_type (workfront.versions.unsupported.Task at-

492 Index

python-workfront Documentation, Release 0.8.0

tribute), 366duration_type (workfront.versions.unsupported.TemplateTask

attribute), 385duration_type (workfront.versions.unsupported.Work at-

tribute), 423duration_type (workfront.versions.v40.Approval at-

tribute), 18duration_type (workfront.versions.v40.Task attribute),

112duration_type (workfront.versions.v40.TemplateTask at-

tribute), 127duration_type (workfront.versions.v40.Work attribute),

148duration_unit (workfront.versions.unsupported.Approval

attribute), 178duration_unit (workfront.versions.unsupported.ApprovalPath

attribute), 190duration_unit (workfront.versions.unsupported.BaselineTask

attribute), 205duration_unit (workfront.versions.unsupported.MasterTask

attribute), 295duration_unit (workfront.versions.unsupported.RecurrenceRule

attribute), 343duration_unit (workfront.versions.unsupported.Task at-

tribute), 366duration_unit (workfront.versions.unsupported.TemplateTask

attribute), 385duration_unit (workfront.versions.unsupported.TimedNotification

attribute), 390duration_unit (workfront.versions.unsupported.Work at-

tribute), 423duration_unit (workfront.versions.v40.Approval at-

tribute), 18duration_unit (workfront.versions.v40.ApprovalPath at-

tribute), 28duration_unit (workfront.versions.v40.BaselineTask at-

tribute), 36duration_unit (workfront.versions.v40.Task attribute),

113duration_unit (workfront.versions.v40.TemplateTask at-

tribute), 127duration_unit (workfront.versions.v40.Work attribute),

148

Eeac (workfront.versions.unsupported.Approval attribute),

178eac (workfront.versions.unsupported.Baseline attribute),

203eac (workfront.versions.unsupported.BaselineTask

attribute), 205eac (workfront.versions.unsupported.Project attribute),

327eac (workfront.versions.unsupported.Task attribute), 366

eac (workfront.versions.unsupported.Work attribute), 423eac (workfront.versions.v40.Approval attribute), 18eac (workfront.versions.v40.Baseline attribute), 34eac (workfront.versions.v40.BaselineTask attribute), 36eac (workfront.versions.v40.Project attribute), 89eac (workfront.versions.v40.Task attribute), 113eac (workfront.versions.v40.Work attribute), 148eac_calculation_method (work-

front.versions.unsupported.Approval attribute),178

eac_calculation_method (work-front.versions.unsupported.Project attribute),328

edit_field_names() (work-front.versions.unsupported.JournalEntrymethod), 285

edited_by (workfront.versions.unsupported.JournalEntryattribute), 285

edited_by (workfront.versions.v40.JournalEntry at-tribute), 70

edited_by_id (workfront.versions.unsupported.JournalEntryattribute), 285

edited_by_id (workfront.versions.v40.JournalEntry at-tribute), 70

effective_date (workfront.versions.unsupported.Expenseattribute), 260

effective_date (workfront.versions.v40.Expense at-tribute), 53

effective_end_date (work-front.versions.unsupported.TimesheetProfileattribute), 392

effective_layout_template (work-front.versions.unsupported.User attribute),404

effective_start_date (work-front.versions.unsupported.TimesheetProfileattribute), 392

Email (class in workfront.versions.unsupported), 252email (workfront.versions.unsupported.Reseller at-

tribute), 344email_addr (workfront.versions.unsupported.AccountRep

attribute), 166email_addr (workfront.versions.unsupported.Customer

attribute), 224email_addr (workfront.versions.unsupported.User at-

tribute), 404email_addr (workfront.versions.v40.Customer attribute),

42email_addr (workfront.versions.v40.User attribute), 139email_sent_date (work-

front.versions.unsupported.NotificationRecordattribute), 305

email_template (workfront.versions.unsupported.TimedNotificationattribute), 390

Index 493

python-workfront Documentation, Release 0.8.0

email_template_id (work-front.versions.unsupported.TimedNotificationattribute), 390

email_templates (work-front.versions.unsupported.Customer attribute),224

email_users (workfront.versions.unsupported.Noteattribute), 301

email_users (workfront.versions.v40.Note attribute), 76EmailTemplate (class in work-

front.versions.unsupported), 253enable_auto_baselines (work-

front.versions.unsupported.Approval attribute),178

enable_auto_baselines (work-front.versions.unsupported.Project attribute),328

enable_auto_baselines (work-front.versions.unsupported.Template attribute),378

enable_auto_baselines (workfront.versions.v40.Approvalattribute), 18

enable_auto_baselines (workfront.versions.v40.Projectattribute), 89

enable_auto_baselines (workfront.versions.v40.Templateattribute), 122

enable_prompt_security (work-front.versions.unsupported.PortalSectionattribute), 312

end_audit() (workfront.versions.unsupported.AuditLoginAsSessionmethod), 196

end_date (workfront.versions.unsupported.AuditLoginAsSessionattribute), 196

end_date (workfront.versions.unsupported.BackgroundJobattribute), 201

end_date (workfront.versions.unsupported.CalendarEventattribute), 208

end_date (workfront.versions.unsupported.CalendarFeedEntryattribute), 209

end_date (workfront.versions.unsupported.CustomQuarterattribute), 222

end_date (workfront.versions.unsupported.Iteration at-tribute), 282

end_date (workfront.versions.unsupported.RecurrenceRuleattribute), 343

end_date (workfront.versions.unsupported.ReservedTimeattribute), 345

end_date (workfront.versions.unsupported.SandboxMigrationattribute), 352

end_date (workfront.versions.unsupported.Timesheet at-tribute), 391

end_date (workfront.versions.unsupported.UserDelegationattribute), 412

end_date (workfront.versions.v40.BackgroundJob at-

tribute), 33end_date (workfront.versions.v40.Iteration attribute), 68end_date (workfront.versions.v40.ReservedTime at-

tribute), 99end_date (workfront.versions.v40.Timesheet attribute),

131end_range (workfront.versions.unsupported.IPRange at-

tribute), 273Endorsement (class in workfront.versions.unsupported),

254endorsement (workfront.versions.unsupported.EndorsementShare

attribute), 256endorsement (workfront.versions.unsupported.Like at-

tribute), 293endorsement (workfront.versions.unsupported.UserNote

attribute), 415endorsement_id (work-

front.versions.unsupported.EndorsementShareattribute), 256

endorsement_id (workfront.versions.unsupported.Like at-tribute), 293

endorsement_id (work-front.versions.unsupported.UserNote attribute),415

endorsement_id (workfront.versions.v40.UserNoteattribute), 144

endorsement_share (work-front.versions.unsupported.UserNote attribute),415

endorsement_share_id (work-front.versions.unsupported.UserNote attribute),415

EndorsementShare (class in work-front.versions.unsupported), 256

endpoint (workfront.versions.unsupported.MobileDeviceattribute), 299

entered_by (workfront.versions.unsupported.AccessTokenattribute), 165

entered_by (workfront.versions.unsupported.Announcementattribute), 168

entered_by (workfront.versions.unsupported.Approval at-tribute), 178

entered_by (workfront.versions.unsupported.ApprovalProcessattribute), 190

entered_by (workfront.versions.unsupported.BackgroundJobattribute), 202

entered_by (workfront.versions.unsupported.CalendarEventattribute), 208

entered_by (workfront.versions.unsupported.CalendarPortalSectionattribute), 210

entered_by (workfront.versions.unsupported.Category at-tribute), 213

entered_by (workfront.versions.unsupported.Companyattribute), 218

494 Index

python-workfront Documentation, Release 0.8.0

entered_by (workfront.versions.unsupported.DocumentFolderattribute), 242

entered_by (workfront.versions.unsupported.DocumentShareattribute), 249

entered_by (workfront.versions.unsupported.DocumentVersionattribute), 251

entered_by (workfront.versions.unsupported.Endorsementattribute), 254

entered_by (workfront.versions.unsupported.EndorsementShareattribute), 256

entered_by (workfront.versions.unsupported.EventSubscriptionattribute), 258

entered_by (workfront.versions.unsupported.Expense at-tribute), 260

entered_by (workfront.versions.unsupported.ExternalSectionattribute), 265

entered_by (workfront.versions.unsupported.Group at-tribute), 269

entered_by (workfront.versions.unsupported.Issueattribute), 277

entered_by (workfront.versions.unsupported.Iteration at-tribute), 282

entered_by (workfront.versions.unsupported.Like at-tribute), 293

entered_by (workfront.versions.unsupported.MasterTaskattribute), 295

entered_by (workfront.versions.unsupported.MilestonePathattribute), 299

entered_by (workfront.versions.unsupported.PortalSectionattribute), 312

entered_by (workfront.versions.unsupported.Portfolio at-tribute), 318

entered_by (workfront.versions.unsupported.Program at-tribute), 321

entered_by (workfront.versions.unsupported.Project at-tribute), 328

entered_by (workfront.versions.unsupported.Role at-tribute), 348

entered_by (workfront.versions.unsupported.Schedule at-tribute), 353

entered_by (workfront.versions.unsupported.ScheduledReportattribute), 355

entered_by (workfront.versions.unsupported.ScoreCardattribute), 357

entered_by (workfront.versions.unsupported.Task at-tribute), 366

entered_by (workfront.versions.unsupported.Template at-tribute), 378

entered_by (workfront.versions.unsupported.TemplateTaskattribute), 385

entered_by (workfront.versions.unsupported.TimesheetProfileattribute), 392

entered_by (workfront.versions.unsupported.UIFilter at-tribute), 394

entered_by (workfront.versions.unsupported.UIGroupByattribute), 396

entered_by (workfront.versions.unsupported.UIView at-tribute), 398

entered_by (workfront.versions.unsupported.User at-tribute), 404

entered_by (workfront.versions.unsupported.Workattribute), 423

entered_by (workfront.versions.v40.Approval attribute),18

entered_by (workfront.versions.v40.ApprovalProcess at-tribute), 29

entered_by (workfront.versions.v40.BackgroundJob at-tribute), 33

entered_by (workfront.versions.v40.Category attribute),37

entered_by (workfront.versions.v40.Company attribute),39

entered_by (workfront.versions.v40.DocumentFolder at-tribute), 50

entered_by (workfront.versions.v40.DocumentVersionattribute), 52

entered_by (workfront.versions.v40.Expense attribute),54

entered_by (workfront.versions.v40.Group attribute), 58entered_by (workfront.versions.v40.Issue attribute), 63entered_by (workfront.versions.v40.Iteration attribute),

68entered_by (workfront.versions.v40.MilestonePath

attribute), 74entered_by (workfront.versions.v40.Portfolio attribute),

82entered_by (workfront.versions.v40.Program attribute),

84entered_by (workfront.versions.v40.Project attribute), 89entered_by (workfront.versions.v40.Role attribute), 102entered_by (workfront.versions.v40.Schedule attribute),

104entered_by (workfront.versions.v40.ScoreCard attribute),

105entered_by (workfront.versions.v40.Task attribute), 113entered_by (workfront.versions.v40.Template attribute),

122entered_by (workfront.versions.v40.TemplateTask

attribute), 127entered_by (workfront.versions.v40.UIFilter attribute),

132entered_by (workfront.versions.v40.UIGroupBy at-

tribute), 134entered_by (workfront.versions.v40.UIView attribute),

135entered_by (workfront.versions.v40.User attribute), 139entered_by (workfront.versions.v40.Work attribute), 148entered_by_id (workfront.versions.unsupported.AccessToken

Index 495

python-workfront Documentation, Release 0.8.0

attribute), 165entered_by_id (workfront.versions.unsupported.Announcement

attribute), 168entered_by_id (workfront.versions.unsupported.Approval

attribute), 178entered_by_id (workfront.versions.unsupported.ApprovalProcess

attribute), 191entered_by_id (workfront.versions.unsupported.BackgroundJob

attribute), 202entered_by_id (workfront.versions.unsupported.CalendarEvent

attribute), 208entered_by_id (workfront.versions.unsupported.CalendarPortalSection

attribute), 211entered_by_id (workfront.versions.unsupported.Category

attribute), 213entered_by_id (workfront.versions.unsupported.Company

attribute), 218entered_by_id (workfront.versions.unsupported.DocumentFolder

attribute), 242entered_by_id (workfront.versions.unsupported.DocumentShare

attribute), 249entered_by_id (workfront.versions.unsupported.DocumentVersion

attribute), 251entered_by_id (workfront.versions.unsupported.Endorsement

attribute), 254entered_by_id (workfront.versions.unsupported.EndorsementShare

attribute), 256entered_by_id (workfront.versions.unsupported.EventSubscription

attribute), 258entered_by_id (workfront.versions.unsupported.Expense

attribute), 260entered_by_id (workfront.versions.unsupported.ExternalSection

attribute), 265entered_by_id (workfront.versions.unsupported.Group

attribute), 269entered_by_id (workfront.versions.unsupported.Issue at-

tribute), 277entered_by_id (workfront.versions.unsupported.Iteration

attribute), 282entered_by_id (workfront.versions.unsupported.Like at-

tribute), 293entered_by_id (workfront.versions.unsupported.MasterTask

attribute), 295entered_by_id (workfront.versions.unsupported.MilestonePath

attribute), 299entered_by_id (workfront.versions.unsupported.PortalSection

attribute), 312entered_by_id (workfront.versions.unsupported.Portfolio

attribute), 318entered_by_id (workfront.versions.unsupported.Program

attribute), 321entered_by_id (workfront.versions.unsupported.Project

attribute), 328entered_by_id (workfront.versions.unsupported.Role at-

tribute), 348entered_by_id (workfront.versions.unsupported.Schedule

attribute), 353entered_by_id (workfront.versions.unsupported.ScheduledReport

attribute), 355entered_by_id (workfront.versions.unsupported.ScoreCard

attribute), 357entered_by_id (workfront.versions.unsupported.Task at-

tribute), 366entered_by_id (workfront.versions.unsupported.Template

attribute), 378entered_by_id (workfront.versions.unsupported.TemplateTask

attribute), 385entered_by_id (workfront.versions.unsupported.TimesheetProfile

attribute), 392entered_by_id (workfront.versions.unsupported.UIFilter

attribute), 394entered_by_id (workfront.versions.unsupported.UIGroupBy

attribute), 396entered_by_id (workfront.versions.unsupported.UIView

attribute), 398entered_by_id (workfront.versions.unsupported.Update

attribute), 400entered_by_id (workfront.versions.unsupported.User at-

tribute), 405entered_by_id (workfront.versions.unsupported.Work at-

tribute), 423entered_by_id (workfront.versions.v40.Approval at-

tribute), 18entered_by_id (workfront.versions.v40.ApprovalProcess

attribute), 29entered_by_id (workfront.versions.v40.BackgroundJob

attribute), 33entered_by_id (workfront.versions.v40.Category at-

tribute), 38entered_by_id (workfront.versions.v40.Company at-

tribute), 39entered_by_id (workfront.versions.v40.DocumentFolder

attribute), 50entered_by_id (workfront.versions.v40.DocumentVersion

attribute), 52entered_by_id (workfront.versions.v40.Expense at-

tribute), 54entered_by_id (workfront.versions.v40.Group attribute),

58entered_by_id (workfront.versions.v40.Issue attribute),

63entered_by_id (workfront.versions.v40.Iteration at-

tribute), 68entered_by_id (workfront.versions.v40.MilestonePath at-

tribute), 74entered_by_id (workfront.versions.v40.Portfolio at-

tribute), 82entered_by_id (workfront.versions.v40.Program at-

496 Index

python-workfront Documentation, Release 0.8.0

tribute), 84entered_by_id (workfront.versions.v40.Project attribute),

89entered_by_id (workfront.versions.v40.Role attribute),

102entered_by_id (workfront.versions.v40.Schedule at-

tribute), 104entered_by_id (workfront.versions.v40.ScoreCard

attribute), 105entered_by_id (workfront.versions.v40.Task attribute),

113entered_by_id (workfront.versions.v40.Template at-

tribute), 122entered_by_id (workfront.versions.v40.TemplateTask at-

tribute), 127entered_by_id (workfront.versions.v40.UIFilter at-

tribute), 132entered_by_id (workfront.versions.v40.UIGroupBy at-

tribute), 134entered_by_id (workfront.versions.v40.UIView at-

tribute), 135entered_by_id (workfront.versions.v40.Update attribute),

136entered_by_id (workfront.versions.v40.User attribute),

139entered_by_id (workfront.versions.v40.Work attribute),

148entered_by_name (work-

front.versions.unsupported.Update attribute),400

entered_by_name (workfront.versions.v40.Updateattribute), 136

entry_date (workfront.versions.unsupported.AccessTokenattribute), 165

entry_date (workfront.versions.unsupported.Acknowledgementattribute), 167

entry_date (workfront.versions.unsupported.Announcementattribute), 168

entry_date (workfront.versions.unsupported.AppBuild at-tribute), 171

entry_date (workfront.versions.unsupported.Approval at-tribute), 178

entry_date (workfront.versions.unsupported.ApprovalProcessattribute), 191

entry_date (workfront.versions.unsupported.AwaitingApprovalattribute), 200

entry_date (workfront.versions.unsupported.BackgroundJobattribute), 202

entry_date (workfront.versions.unsupported.Baseline at-tribute), 203

entry_date (workfront.versions.unsupported.BaselineTaskattribute), 205

entry_date (workfront.versions.unsupported.BurndownEventattribute), 207

entry_date (workfront.versions.unsupported.CalendarEventattribute), 208

entry_date (workfront.versions.unsupported.CalendarPortalSectionattribute), 211

entry_date (workfront.versions.unsupported.Company at-tribute), 218

entry_date (workfront.versions.unsupported.Customer at-tribute), 224

entry_date (workfront.versions.unsupported.CustomerFeedbackattribute), 231

entry_date (workfront.versions.unsupported.DocumentFolderattribute), 242

entry_date (workfront.versions.unsupported.DocumentProviderattribute), 245

entry_date (workfront.versions.unsupported.DocumentRequestattribute), 247

entry_date (workfront.versions.unsupported.DocumentShareattribute), 249

entry_date (workfront.versions.unsupported.DocumentVersionattribute), 251

entry_date (workfront.versions.unsupported.Endorsementattribute), 254

entry_date (workfront.versions.unsupported.EndorsementShareattribute), 256

entry_date (workfront.versions.unsupported.EventSubscriptionattribute), 258

entry_date (workfront.versions.unsupported.Expense at-tribute), 260

entry_date (workfront.versions.unsupported.ExternalSectionattribute), 265

entry_date (workfront.versions.unsupported.Groupattribute), 269

entry_date (workfront.versions.unsupported.Hour at-tribute), 270

entry_date (workfront.versions.unsupported.Issue at-tribute), 277

entry_date (workfront.versions.unsupported.Iteration at-tribute), 282

entry_date (workfront.versions.unsupported.JournalEntryattribute), 285

entry_date (workfront.versions.unsupported.Like at-tribute), 293

entry_date (workfront.versions.unsupported.MasterTaskattribute), 295

entry_date (workfront.versions.unsupported.MilestonePathattribute), 299

entry_date (workfront.versions.unsupported.Note at-tribute), 301

entry_date (workfront.versions.unsupported.NotificationRecordattribute), 305

entry_date (workfront.versions.unsupported.PopAccountattribute), 310

entry_date (workfront.versions.unsupported.Portfolio at-tribute), 318

Index 497

python-workfront Documentation, Release 0.8.0

entry_date (workfront.versions.unsupported.Program at-tribute), 321

entry_date (workfront.versions.unsupported.Project at-tribute), 328

entry_date (workfront.versions.unsupported.RecentUpdateattribute), 342

entry_date (workfront.versions.unsupported.Role at-tribute), 348

entry_date (workfront.versions.unsupported.Schedule at-tribute), 353

entry_date (workfront.versions.unsupported.ScoreCardattribute), 357

entry_date (workfront.versions.unsupported.SearchEventattribute), 359

entry_date (workfront.versions.unsupported.Task at-tribute), 366

entry_date (workfront.versions.unsupported.Template at-tribute), 378

entry_date (workfront.versions.unsupported.TemplateTaskattribute), 385

entry_date (workfront.versions.unsupported.Update at-tribute), 400

entry_date (workfront.versions.unsupported.User at-tribute), 405

entry_date (workfront.versions.unsupported.UserActivityattribute), 411

entry_date (workfront.versions.unsupported.UserNote at-tribute), 415

entry_date (workfront.versions.unsupported.WhatsNewattribute), 419

entry_date (workfront.versions.unsupported.Work at-tribute), 424

entry_date (workfront.versions.v40.Approval attribute),18

entry_date (workfront.versions.v40.ApprovalProcess at-tribute), 29

entry_date (workfront.versions.v40.BackgroundJob at-tribute), 33

entry_date (workfront.versions.v40.Baseline attribute),34

entry_date (workfront.versions.v40.BaselineTask at-tribute), 36

entry_date (workfront.versions.v40.Company attribute),39

entry_date (workfront.versions.v40.Customer attribute),42

entry_date (workfront.versions.v40.DocumentFolder at-tribute), 50

entry_date (workfront.versions.v40.DocumentVersion at-tribute), 52

entry_date (workfront.versions.v40.Expense attribute), 54entry_date (workfront.versions.v40.Group attribute), 58entry_date (workfront.versions.v40.Hour attribute), 59entry_date (workfront.versions.v40.Issue attribute), 63

entry_date (workfront.versions.v40.Iteration attribute), 68entry_date (workfront.versions.v40.JournalEntry at-

tribute), 70entry_date (workfront.versions.v40.MilestonePath

attribute), 75entry_date (workfront.versions.v40.Note attribute), 76entry_date (workfront.versions.v40.Portfolio attribute),

82entry_date (workfront.versions.v40.Program attribute),

84entry_date (workfront.versions.v40.Project attribute), 89entry_date (workfront.versions.v40.Role attribute), 102entry_date (workfront.versions.v40.Schedule attribute),

104entry_date (workfront.versions.v40.ScoreCard attribute),

105entry_date (workfront.versions.v40.Task attribute), 113entry_date (workfront.versions.v40.Template attribute),

122entry_date (workfront.versions.v40.TemplateTask at-

tribute), 127entry_date (workfront.versions.v40.Update attribute), 136entry_date (workfront.versions.v40.User attribute), 139entry_date (workfront.versions.v40.UserActivity at-

tribute), 144entry_date (workfront.versions.v40.UserNote attribute),

144entry_date (workfront.versions.v40.Work attribute), 148enum_class (workfront.versions.unsupported.CustomEnum

attribute), 219enum_class (workfront.versions.v40.CustomEnum

attribute), 40equates_with (workfront.versions.unsupported.CustomEnum

attribute), 219equates_with (workfront.versions.v40.CustomEnum at-

tribute), 40error_message (workfront.versions.unsupported.BackgroundJob

attribute), 202error_message (workfront.versions.v40.BackgroundJob

attribute), 33est_completion_date (work-

front.versions.unsupported.Approval attribute),178

est_completion_date (work-front.versions.unsupported.Baseline attribute),203

est_completion_date (work-front.versions.unsupported.BaselineTaskattribute), 205

est_completion_date (work-front.versions.unsupported.Project attribute),328

est_completion_date (work-front.versions.unsupported.Task attribute),

498 Index

python-workfront Documentation, Release 0.8.0

366est_completion_date (work-

front.versions.unsupported.Work attribute),424

est_completion_date (workfront.versions.v40.Approvalattribute), 18

est_completion_date (workfront.versions.v40.Baselineattribute), 34

est_completion_date (work-front.versions.v40.BaselineTask attribute),36

est_completion_date (workfront.versions.v40.Project at-tribute), 89

est_completion_date (workfront.versions.v40.Taskattribute), 113

est_completion_date (workfront.versions.v40.Work at-tribute), 149

est_start_date (workfront.versions.unsupported.Approvalattribute), 179

est_start_date (workfront.versions.unsupported.Baselineattribute), 204

est_start_date (workfront.versions.unsupported.BaselineTaskattribute), 205

est_start_date (workfront.versions.unsupported.Projectattribute), 328

est_start_date (workfront.versions.unsupported.Task at-tribute), 366

est_start_date (workfront.versions.unsupported.Work at-tribute), 424

est_start_date (workfront.versions.v40.Approval at-tribute), 18

est_start_date (workfront.versions.v40.Baseline at-tribute), 34

est_start_date (workfront.versions.v40.BaselineTask at-tribute), 36

est_start_date (workfront.versions.v40.Project attribute),89

est_start_date (workfront.versions.v40.Task attribute),113

est_start_date (workfront.versions.v40.Work attribute),149

estimate (workfront.versions.unsupported.Approval at-tribute), 179

estimate (workfront.versions.unsupported.Task attribute),367

estimate (workfront.versions.unsupported.Work at-tribute), 424

estimate (workfront.versions.v40.Approval attribute), 18estimate (workfront.versions.v40.Task attribute), 113estimate (workfront.versions.v40.Work attribute), 149estimate_by_hours (work-

front.versions.unsupported.Team attribute),374

estimate_by_hours (workfront.versions.v40.Team at-

tribute), 119estimate_completed (work-

front.versions.unsupported.Iteration attribute),282

estimate_completed (workfront.versions.v40.Iteration at-tribute), 68

estimated_effect (workfront.versions.unsupported.Riskattribute), 347

estimated_effect (workfront.versions.v40.Risk attribute),101

eval_exp_date (workfront.versions.unsupported.Customerattribute), 224

eval_exp_date (workfront.versions.v40.Customer at-tribute), 42

event_handlers (workfront.versions.unsupported.Customerattribute), 224

event_obj_code (workfront.versions.unsupported.AppEventattribute), 171

event_obj_code (workfront.versions.unsupported.BurndownEventattribute), 207

event_obj_code (workfront.versions.unsupported.EventHandlerattribute), 257

event_obj_code (workfront.versions.unsupported.SearchEventattribute), 360

event_obj_id (workfront.versions.unsupported.BurndownEventattribute), 207

event_type (workfront.versions.unsupported.AppEventattribute), 171

event_type (workfront.versions.unsupported.EventSubscriptionattribute), 258

event_type (workfront.versions.unsupported.SearchEventattribute), 360

event_type (workfront.versions.unsupported.UserNote at-tribute), 415

event_type (workfront.versions.v40.UserNote attribute),144

event_types (workfront.versions.unsupported.EventHandlerattribute), 257

EventHandler (class in workfront.versions.unsupported),257

EventSubscription (class in work-front.versions.unsupported), 258

exchange_rate (workfront.versions.unsupported.Approvalattribute), 179

exchange_rate (workfront.versions.unsupported.Projectattribute), 328

exchange_rate (workfront.versions.unsupported.Templateattribute), 378

exchange_rate (workfront.versions.v40.Approval at-tribute), 18

exchange_rate (workfront.versions.v40.Project attribute),89

exchange_rate (workfront.versions.v40.Template at-tribute), 122

Index 499

python-workfront Documentation, Release 0.8.0

exchange_rates (workfront.versions.unsupported.Approvalattribute), 179

exchange_rates (workfront.versions.unsupported.Projectattribute), 328

exchange_rates (workfront.versions.v40.Approval at-tribute), 18

exchange_rates (workfront.versions.v40.Project at-tribute), 90

ExchangeRate (class in workfront.versions.unsupported),258

ExchangeRate (class in workfront.versions.v40), 52exclude_users (workfront.versions.unsupported.SSOOption

attribute), 351exp_date (workfront.versions.unsupported.Customer at-

tribute), 224exp_date (workfront.versions.unsupported.LicenseOrder

attribute), 292exp_date (workfront.versions.v40.Customer attribute), 42exp_obj_code (workfront.versions.unsupported.Expense

attribute), 260exp_obj_code (workfront.versions.v40.Expense at-

tribute), 54expand_view_aliases() (work-

front.versions.unsupported.UIView method),398

Expense (class in workfront.versions.unsupported), 259Expense (class in workfront.versions.v40), 53expense (workfront.versions.unsupported.JournalEntry

attribute), 285expense (workfront.versions.unsupported.ParameterValue

attribute), 308expense (workfront.versions.v40.JournalEntry attribute),

70expense_id (workfront.versions.unsupported.JournalEntry

attribute), 285expense_id (workfront.versions.unsupported.ParameterValue

attribute), 308expense_id (workfront.versions.v40.JournalEntry at-

tribute), 70expense_type (workfront.versions.unsupported.Expense

attribute), 260expense_type (workfront.versions.v40.Expense attribute),

54expense_type_id (work-

front.versions.unsupported.Expense attribute),260

expense_type_id (workfront.versions.v40.Expenseattribute), 54

expense_types (workfront.versions.unsupported.AppGlobalattribute), 172

expense_types (workfront.versions.unsupported.Customerattribute), 224

expense_types (workfront.versions.v40.Customer at-tribute), 42

expenses (workfront.versions.unsupported.Approval at-tribute), 179

expenses (workfront.versions.unsupported.BillingRecordattribute), 206

expenses (workfront.versions.unsupported.MasterTaskattribute), 295

expenses (workfront.versions.unsupported.Project at-tribute), 328

expenses (workfront.versions.unsupported.Task at-tribute), 367

expenses (workfront.versions.unsupported.Template at-tribute), 378

expenses (workfront.versions.unsupported.TemplateTaskattribute), 385

expenses (workfront.versions.unsupported.Work at-tribute), 424

expenses (workfront.versions.v40.Approval attribute), 18expenses (workfront.versions.v40.BillingRecord at-

tribute), 37expenses (workfront.versions.v40.Project attribute), 90expenses (workfront.versions.v40.Task attribute), 113expenses (workfront.versions.v40.Template attribute),

122expenses (workfront.versions.v40.TemplateTask at-

tribute), 127expenses (workfront.versions.v40.Work attribute), 149ExpenseType (class in workfront.versions.unsupported),

261ExpenseType (class in workfront.versions.v40), 55expiration_date (workfront.versions.unsupported.BackgroundJob

attribute), 202expiration_date (workfront.versions.v40.BackgroundJob

attribute), 33expire_date (workfront.versions.unsupported.AccessToken

attribute), 165expire_password() (workfront.versions.unsupported.User

method), 405export() (workfront.versions.unsupported.Feature

method), 266export_as_msproject_file() (work-

front.versions.unsupported.Project method),328

export_business_case() (work-front.versions.unsupported.Project method),328

export_dashboard() (work-front.versions.unsupported.PortalTab method),316

expression (workfront.versions.unsupported.CallableExpressionattribute), 212

ext (workfront.versions.unsupported.DocumentVersionattribute), 251

ext (workfront.versions.unsupported.ExternalDocumentattribute), 263

500 Index

python-workfront Documentation, Release 0.8.0

ext (workfront.versions.v40.DocumentVersion attribute),52

ext_ref_id (workfront.versions.unsupported.AccessLevelattribute), 157

ext_ref_id (workfront.versions.unsupported.AccountRepattribute), 166

ext_ref_id (workfront.versions.unsupported.Approval at-tribute), 179

ext_ref_id (workfront.versions.unsupported.ApprovalProcessattribute), 191

ext_ref_id (workfront.versions.unsupported.BillingRecordattribute), 206

ext_ref_id (workfront.versions.unsupported.CalendarEventattribute), 208

ext_ref_id (workfront.versions.unsupported.Category at-tribute), 213

ext_ref_id (workfront.versions.unsupported.Company at-tribute), 218

ext_ref_id (workfront.versions.unsupported.CustomEnumattribute), 219

ext_ref_id (workfront.versions.unsupported.Customer at-tribute), 224

ext_ref_id (workfront.versions.unsupported.Documentattribute), 235

ext_ref_id (workfront.versions.unsupported.DocumentRequestattribute), 247

ext_ref_id (workfront.versions.unsupported.ExchangeRateattribute), 258

ext_ref_id (workfront.versions.unsupported.Expense at-tribute), 260

ext_ref_id (workfront.versions.unsupported.ExpenseTypeattribute), 262

ext_ref_id (workfront.versions.unsupported.ExternalSectionattribute), 265

ext_ref_id (workfront.versions.unsupported.Groupattribute), 269

ext_ref_id (workfront.versions.unsupported.Hour at-tribute), 270

ext_ref_id (workfront.versions.unsupported.HourType at-tribute), 272

ext_ref_id (workfront.versions.unsupported.Issue at-tribute), 277

ext_ref_id (workfront.versions.unsupported.JournalEntryattribute), 285

ext_ref_id (workfront.versions.unsupported.JournalFieldattribute), 288

ext_ref_id (workfront.versions.unsupported.LayoutTemplateattribute), 289

ext_ref_id (workfront.versions.unsupported.LicenseOrderattribute), 292

ext_ref_id (workfront.versions.unsupported.MasterTaskattribute), 295

ext_ref_id (workfront.versions.unsupported.Milestone at-tribute), 298

ext_ref_id (workfront.versions.unsupported.MilestonePathattribute), 299

ext_ref_id (workfront.versions.unsupported.Note at-tribute), 301

ext_ref_id (workfront.versions.unsupported.Parameter at-tribute), 306

ext_ref_id (workfront.versions.unsupported.ParameterGroupattribute), 307

ext_ref_id (workfront.versions.unsupported.ParameterOptionattribute), 307

ext_ref_id (workfront.versions.unsupported.PortalProfileattribute), 311

ext_ref_id (workfront.versions.unsupported.PortalSectionattribute), 312

ext_ref_id (workfront.versions.unsupported.PortalTab at-tribute), 316

ext_ref_id (workfront.versions.unsupported.Portfolio at-tribute), 319

ext_ref_id (workfront.versions.unsupported.Program at-tribute), 321

ext_ref_id (workfront.versions.unsupported.Project at-tribute), 328

ext_ref_id (workfront.versions.unsupported.QueueDef at-tribute), 337

ext_ref_id (workfront.versions.unsupported.QueueTopicattribute), 338

ext_ref_id (workfront.versions.unsupported.Rate at-tribute), 340

ext_ref_id (workfront.versions.unsupported.Reseller at-tribute), 344

ext_ref_id (workfront.versions.unsupported.ResourcePoolattribute), 346

ext_ref_id (workfront.versions.unsupported.Risk at-tribute), 347

ext_ref_id (workfront.versions.unsupported.RiskType at-tribute), 347

ext_ref_id (workfront.versions.unsupported.Role at-tribute), 348

ext_ref_id (workfront.versions.unsupported.Schedule at-tribute), 353

ext_ref_id (workfront.versions.unsupported.ScoreCardattribute), 357

ext_ref_id (workfront.versions.unsupported.Task at-tribute), 367

ext_ref_id (workfront.versions.unsupported.Template at-tribute), 378

ext_ref_id (workfront.versions.unsupported.TemplateTaskattribute), 385

ext_ref_id (workfront.versions.unsupported.Timesheetattribute), 391

ext_ref_id (workfront.versions.unsupported.User at-tribute), 405

ext_ref_id (workfront.versions.unsupported.Work at-tribute), 424

Index 501

python-workfront Documentation, Release 0.8.0

ext_ref_id (workfront.versions.unsupported.WorkItem at-tribute), 432

ext_ref_id (workfront.versions.v40.Approval attribute),19

ext_ref_id (workfront.versions.v40.ApprovalProcess at-tribute), 29

ext_ref_id (workfront.versions.v40.BillingRecord at-tribute), 37

ext_ref_id (workfront.versions.v40.Category attribute),38

ext_ref_id (workfront.versions.v40.Company attribute),40

ext_ref_id (workfront.versions.v40.CustomEnum at-tribute), 40

ext_ref_id (workfront.versions.v40.Customer attribute),42

ext_ref_id (workfront.versions.v40.Document attribute),47

ext_ref_id (workfront.versions.v40.ExchangeRate at-tribute), 53

ext_ref_id (workfront.versions.v40.Expense attribute), 54ext_ref_id (workfront.versions.v40.ExpenseType at-

tribute), 56ext_ref_id (workfront.versions.v40.Group attribute), 58ext_ref_id (workfront.versions.v40.Hour attribute), 59ext_ref_id (workfront.versions.v40.HourType attribute),

60ext_ref_id (workfront.versions.v40.Issue attribute), 63ext_ref_id (workfront.versions.v40.JournalEntry at-

tribute), 70ext_ref_id (workfront.versions.v40.LayoutTemplate at-

tribute), 73ext_ref_id (workfront.versions.v40.Milestone attribute),

74ext_ref_id (workfront.versions.v40.MilestonePath at-

tribute), 75ext_ref_id (workfront.versions.v40.Note attribute), 76ext_ref_id (workfront.versions.v40.Parameter attribute),

80ext_ref_id (workfront.versions.v40.ParameterGroup at-

tribute), 80ext_ref_id (workfront.versions.v40.ParameterOption at-

tribute), 81ext_ref_id (workfront.versions.v40.Portfolio attribute),

82ext_ref_id (workfront.versions.v40.Program attribute), 84ext_ref_id (workfront.versions.v40.Project attribute), 90ext_ref_id (workfront.versions.v40.QueueDef attribute),

97ext_ref_id (workfront.versions.v40.QueueTopic at-

tribute), 98ext_ref_id (workfront.versions.v40.Rate attribute), 99ext_ref_id (workfront.versions.v40.ResourcePool at-

tribute), 101

ext_ref_id (workfront.versions.v40.Risk attribute), 101ext_ref_id (workfront.versions.v40.RiskType attribute),

102ext_ref_id (workfront.versions.v40.Role attribute), 102ext_ref_id (workfront.versions.v40.Schedule attribute),

104ext_ref_id (workfront.versions.v40.ScoreCard attribute),

105ext_ref_id (workfront.versions.v40.Task attribute), 113ext_ref_id (workfront.versions.v40.Template attribute),

122ext_ref_id (workfront.versions.v40.TemplateTask at-

tribute), 127ext_ref_id (workfront.versions.v40.Timesheet attribute),

131ext_ref_id (workfront.versions.v40.User attribute), 139ext_ref_id (workfront.versions.v40.Work attribute), 149ext_ref_id (workfront.versions.v40.WorkItem attribute),

156external_actions (work-

front.versions.unsupported.MetaRecord at-tribute), 297

external_document_storage (work-front.versions.unsupported.Customer attribute),224

external_document_storage (work-front.versions.v40.Customer attribute), 42

external_download_url (work-front.versions.unsupported.DocumentVersionattribute), 251

external_download_url (work-front.versions.v40.DocumentVersion attribute),52

external_emails (workfront.versions.unsupported.ScheduledReportattribute), 355

external_integration_type (work-front.versions.unsupported.Document at-tribute), 235

external_integration_type (work-front.versions.unsupported.DocumentProviderattribute), 245

external_integration_type (work-front.versions.unsupported.DocumentProviderConfigattribute), 246

external_integration_type (work-front.versions.unsupported.DocumentProviderMetadataattribute), 246

external_integration_type (work-front.versions.unsupported.DocumentVersionattribute), 251

external_integration_type (work-front.versions.unsupported.LinkedFolderattribute), 294

external_integration_type (work-

502 Index

python-workfront Documentation, Release 0.8.0

front.versions.v40.Document attribute), 47external_integration_type (work-

front.versions.v40.DocumentVersion attribute),52

external_preview_url (work-front.versions.unsupported.DocumentVersionattribute), 251

external_preview_url (work-front.versions.v40.DocumentVersion attribute),52

external_save_location (work-front.versions.unsupported.DocumentVersionattribute), 251

external_save_location (work-front.versions.v40.DocumentVersion attribute),52

external_section (work-front.versions.unsupported.PortalTabSectionattribute), 317

external_section_id (work-front.versions.unsupported.PortalTabSectionattribute), 317

external_sections (work-front.versions.unsupported.AppGlobal at-tribute), 172

external_sections (work-front.versions.unsupported.Customer attribute),224

external_sections (workfront.versions.unsupported.Userattribute), 405

external_storage_id (work-front.versions.unsupported.DocumentVersionattribute), 251

external_storage_id (work-front.versions.unsupported.LinkedFolderattribute), 294

external_storage_id (work-front.versions.v40.DocumentVersion attribute),52

external_username (workfront.versions.unsupported.Userattribute), 405

external_users_enabled (work-front.versions.unsupported.Customer attribute),224

external_users_enabled (work-front.versions.unsupported.LicenseOrderattribute), 292

external_users_enabled (work-front.versions.v40.Customer attribute), 42

external_users_group (work-front.versions.unsupported.Customer attribute),224

external_users_group_id (work-front.versions.unsupported.Customer attribute),

224ExternalDocument (class in work-

front.versions.unsupported), 262ExternalSection (class in work-

front.versions.unsupported), 264extra_document_storage (work-

front.versions.unsupported.Customer attribute),224

extra_document_storage (work-front.versions.v40.Customer attribute), 42

FFavorite (class in workfront.versions.unsupported), 266Favorite (class in workfront.versions.v40), 56favorites (workfront.versions.unsupported.User attribute),

405favorites (workfront.versions.v40.User attribute), 139Feature (class in workfront.versions.unsupported), 266feature_name (workfront.versions.unsupported.WhatsNew

attribute), 419features_mapping (work-

front.versions.unsupported.AppGlobal at-tribute), 172

feedback_status (work-front.versions.unsupported.Assignment at-tribute), 194

feedback_status (workfront.versions.v40.Assignment at-tribute), 31

feedback_type (workfront.versions.unsupported.CustomerFeedbackattribute), 231

Field (class in workfront.meta), 11field_access_privileges (work-

front.versions.unsupported.AccessLevelattribute), 157

field_name (workfront.versions.unsupported.ImportRowattribute), 273

field_name (workfront.versions.unsupported.JournalEntryattribute), 285

field_name (workfront.versions.unsupported.JournalFieldattribute), 288

field_name (workfront.versions.unsupported.LayoutTemplateCardattribute), 291

field_name (workfront.versions.v40.JournalEntry at-tribute), 70

FieldNotLoaded, 11file_extension (workfront.versions.unsupported.AnnouncementAttachment

attribute), 169file_for_completed_job() (work-

front.versions.unsupported.BackgroundJobmethod), 202

file_handle() (workfront.versions.unsupported.Announcementmethod), 168

file_handle() (workfront.versions.unsupported.DocumentVersionmethod), 251

Index 503

python-workfront Documentation, Release 0.8.0

file_name (workfront.versions.unsupported.DocumentVersionattribute), 251

file_name (workfront.versions.v40.DocumentVersion at-tribute), 52

file_path (workfront.versions.unsupported.DocumentTaskStatusattribute), 250

file_type (workfront.versions.unsupported.Document at-tribute), 235

file_type (workfront.versions.unsupported.DocumentVersionattribute), 251

file_type (workfront.versions.unsupported.ExternalDocumentattribute), 263

filter (workfront.versions.unsupported.PortalSection at-tribute), 312

filter_actions_for_external() (work-front.versions.unsupported.AccessLevelmethod), 158

filter_available_actions() (work-front.versions.unsupported.AccessLevelmethod), 158

filter_control (workfront.versions.unsupported.PortalSectionattribute), 312

filter_hour_types (work-front.versions.unsupported.Approval attribute),179

filter_hour_types (work-front.versions.unsupported.Project attribute),328

filter_hour_types (work-front.versions.unsupported.Template attribute),378

filter_hour_types (workfront.versions.v40.Approval at-tribute), 19

filter_hour_types (workfront.versions.v40.Project at-tribute), 90

filter_hour_types (workfront.versions.v40.Template at-tribute), 122

filter_id (workfront.versions.unsupported.PortalSectionattribute), 312

filter_type (workfront.versions.unsupported.UIFilter at-tribute), 394

filter_type (workfront.versions.v40.UIFilter attribute),132

filters (workfront.versions.unsupported.CalendarSectionattribute), 211

finance_last_update_date (work-front.versions.unsupported.Approval attribute),179

finance_last_update_date (work-front.versions.unsupported.Project attribute),328

finance_last_update_date (work-front.versions.v40.Approval attribute), 19

finance_last_update_date (work-

front.versions.v40.Project attribute), 90finance_representative (work-

front.versions.unsupported.Customer attribute),224

FinancialData (class in workfront.versions.unsupported),267

FinancialData (class in workfront.versions.v40), 56first_name (workfront.versions.unsupported.AccountRep

attribute), 166first_name (workfront.versions.unsupported.User at-

tribute), 405first_name (workfront.versions.v40.User attribute), 139first_response (workfront.versions.unsupported.Approval

attribute), 179first_response (workfront.versions.unsupported.Issue at-

tribute), 277first_response (workfront.versions.unsupported.Work at-

tribute), 424first_response (workfront.versions.v40.Approval at-

tribute), 19first_response (workfront.versions.v40.Issue attribute), 63first_response (workfront.versions.v40.Work attribute),

149firstname (workfront.versions.unsupported.Customer at-

tribute), 224firstname (workfront.versions.v40.Customer attribute), 42fixed_cost (workfront.versions.unsupported.Approval at-

tribute), 179fixed_cost (workfront.versions.unsupported.FinancialData

attribute), 267fixed_cost (workfront.versions.unsupported.Project at-

tribute), 328fixed_cost (workfront.versions.unsupported.Template at-

tribute), 378fixed_cost (workfront.versions.v40.Approval attribute),

19fixed_cost (workfront.versions.v40.FinancialData at-

tribute), 57fixed_cost (workfront.versions.v40.Project attribute), 90fixed_cost (workfront.versions.v40.Template attribute),

122fixed_end_date (workfront.versions.unsupported.Approval

attribute), 179fixed_end_date (workfront.versions.unsupported.Project

attribute), 328fixed_end_date (workfront.versions.v40.Approval at-

tribute), 19fixed_end_date (workfront.versions.v40.Project at-

tribute), 90fixed_revenue (workfront.versions.unsupported.Approval

attribute), 179fixed_revenue (workfront.versions.unsupported.Project

attribute), 328fixed_revenue (workfront.versions.unsupported.Template

504 Index

python-workfront Documentation, Release 0.8.0

attribute), 378fixed_revenue (workfront.versions.v40.Approval at-

tribute), 19fixed_revenue (workfront.versions.v40.Project attribute),

90fixed_revenue (workfront.versions.v40.Template at-

tribute), 122fixed_start_date (work-

front.versions.unsupported.Approval attribute),179

fixed_start_date (workfront.versions.unsupported.Projectattribute), 328

fixed_start_date (workfront.versions.v40.Approvalattribute), 19

fixed_start_date (workfront.versions.v40.Project at-tribute), 90

flags (workfront.versions.unsupported.JournalEntry at-tribute), 285

flags (workfront.versions.v40.JournalEntry attribute), 70focus_factor (workfront.versions.unsupported.Iteration

attribute), 282focus_factor (workfront.versions.v40.Iteration attribute),

68folder (workfront.versions.unsupported.DocsFolders at-

tribute), 232folder (workfront.versions.unsupported.LinkedFolder at-

tribute), 294folder_id (workfront.versions.unsupported.DocsFolders

attribute), 232folder_id (workfront.versions.unsupported.LinkedFolder

attribute), 294folder_ids (workfront.versions.unsupported.Document

attribute), 235folder_name (workfront.versions.unsupported.PortalSection

attribute), 312folders (workfront.versions.unsupported.Document at-

tribute), 235folders (workfront.versions.v40.Document attribute), 47forbidden_actions (work-

front.versions.unsupported.AccessLevelPermissionsattribute), 160

forbidden_actions (work-front.versions.unsupported.AccessRule at-tribute), 163

forbidden_actions (work-front.versions.unsupported.AccessRulePreferenceattribute), 163

forbidden_actions (workfront.versions.v40.AccessRuleattribute), 12

force_edit (workfront.versions.unsupported.ApprovalProcessAttachableattribute), 192

force_load (workfront.versions.unsupported.PortalSectionattribute), 312

format (workfront.versions.unsupported.ScheduledReport

attribute), 355format_constraint (work-

front.versions.unsupported.Parameter at-tribute), 306

format_constraint (workfront.versions.v40.Parameter at-tribute), 80

format_doc_size (work-front.versions.unsupported.AnnouncementAttachmentattribute), 169

format_doc_size (work-front.versions.unsupported.DocumentVersionattribute), 251

format_doc_size (work-front.versions.v40.DocumentVersion attribute),52

format_entry_date (work-front.versions.unsupported.DocumentRequestattribute), 247

format_entry_date (work-front.versions.unsupported.DocumentVersionattribute), 251

format_entry_date (workfront.versions.unsupported.Noteattribute), 301

format_entry_date (work-front.versions.v40.DocumentVersion attribute),52

format_entry_date (workfront.versions.v40.Note at-tribute), 76

formatted_recipients (work-front.versions.unsupported.Announcementattribute), 168

forward_attachments() (work-front.versions.unsupported.AnnouncementAttachmentmethod), 169

frame (workfront.versions.unsupported.ExternalSectionattribute), 265

friday (workfront.versions.unsupported.Schedule at-tribute), 353

friday (workfront.versions.v40.Schedule attribute), 104friendly_url (workfront.versions.unsupported.ExternalSection

attribute), 265from_user (workfront.versions.unsupported.UserDelegation

attribute), 412from_user_id (workfront.versions.unsupported.UserDelegation

attribute), 412fte (workfront.versions.unsupported.User attribute), 405fte (workfront.versions.v40.User attribute), 139full_users (workfront.versions.unsupported.Customer at-

tribute), 225full_users (workfront.versions.unsupported.LicenseOrder

attribute), 292full_users (workfront.versions.v40.Customer attribute),

42

Index 505

python-workfront Documentation, Release 0.8.0

Ggenerate_customer_timesheets() (work-

front.versions.unsupported.TimesheetProfilemethod), 392

get() (workfront.Session method), 9get_access_level_permissions_for_obj_code() (work-

front.versions.unsupported.AccessLevelmethod), 158

get_accessed_users() (work-front.versions.unsupported.AuditLoginAsSessionmethod), 196

get_advanced_proof_options_url() (work-front.versions.unsupported.Document method),235

get_all_type_provider_ids() (work-front.versions.unsupported.DocumentProvidermethod), 245

get_api_key() (workfront.Session method), 10get_api_key() (workfront.versions.unsupported.User

method), 405get_authentication_url_for_provider() (work-

front.versions.unsupported.ExternalDocumentmethod), 263

get_avatar_data() (work-front.versions.unsupported.Avatar method),199

get_avatar_download_url() (work-front.versions.unsupported.Avatar method),199

get_avatar_file() (workfront.versions.unsupported.Avatarmethod), 199

get_concatenated_expression_form() (work-front.versions.unsupported.CalendarSectionmethod), 211

get_days_to_expiration_for_user() (work-front.versions.unsupported.Authenticationmethod), 197

get_default_access_permissions() (work-front.versions.unsupported.AccessLevelmethod), 158

get_default_access_rule_preferences() (work-front.versions.unsupported.AccessLevelmethod), 158

get_default_forbidden_actions() (work-front.versions.unsupported.AccessLevelmethod), 158

get_default_op_task_priority_enum() (work-front.versions.unsupported.CustomEnummethod), 219

get_default_op_task_priority_enum() (work-front.versions.v40.CustomEnum method),40

get_default_project_status_enum() (work-front.versions.unsupported.CustomEnum

method), 219get_default_project_status_enum() (work-

front.versions.v40.CustomEnum method),40

get_default_severity_enum() (work-front.versions.unsupported.CustomEnummethod), 219

get_default_severity_enum() (work-front.versions.v40.CustomEnum method),40

get_default_task_priority_enum() (work-front.versions.unsupported.CustomEnummethod), 219

get_default_task_priority_enum() (work-front.versions.v40.CustomEnum method),40

get_document_contents_in_zip() (work-front.versions.unsupported.Document method),235

get_earliest_work_time_of_day() (work-front.versions.unsupported.Schedule method),353

get_earliest_work_time_of_day() (work-front.versions.v40.Schedule method), 104

get_email_subjects() (work-front.versions.unsupported.EmailTemplatemethod), 253

get_enum_color() (work-front.versions.unsupported.CustomEnummethod), 219

get_expression_types() (work-front.versions.unsupported.Category method),213

get_external_document_contents() (work-front.versions.unsupported.Document method),235

get_filtered_categories() (work-front.versions.unsupported.Category method),213

get_folder_size_in_bytes() (work-front.versions.unsupported.DocumentFoldermethod), 242

get_formula_calculated_expression() (work-front.versions.unsupported.Category method),213

get_friendly_calculated_expression() (work-front.versions.unsupported.Category method),213

get_generic_thumbnail_url() (work-front.versions.unsupported.Document method),235

get_help_desk_registration_email() (work-front.versions.unsupported.EmailTemplatemethod), 254

506 Index

python-workfront Documentation, Release 0.8.0

get_help_desk_user_can_add_issue() (work-front.versions.unsupported.Project method),328

get_inactive_notifications_value() (work-front.versions.unsupported.UserPrefValuemethod), 417

get_latest_work_time_of_day() (work-front.versions.unsupported.Schedule method),353

get_latest_work_time_of_day() (work-front.versions.v40.Schedule method), 104

get_layout_template_cards_by_card_location() (work-front.versions.unsupported.LayoutTemplatemethod), 289

get_layout_template_users() (work-front.versions.unsupported.LayoutTemplatemethod), 290

get_license_info() (work-front.versions.unsupported.Customer method),225

get_liked_endorsement_ids() (work-front.versions.unsupported.Endorsementmethod), 254

get_liked_journal_entry_ids() (work-front.versions.unsupported.JournalEntrymethod), 285

get_liked_note_ids() (work-front.versions.unsupported.Note method),301

get_linked_folder_meta_data() (work-front.versions.unsupported.DocumentFoldermethod), 243

get_maximum_access_permissions() (work-front.versions.unsupported.AccessLevelmethod), 158

get_metadata_map_for_provider_type() (work-front.versions.unsupported.DocumentProviderMetadatamethod), 246

get_my_accomplishments_count() (work-front.versions.unsupported.Work method),424

get_my_awaiting_approvals_count() (work-front.versions.unsupported.AwaitingApprovalmethod), 200

get_my_awaiting_approvals_filtered_count() (work-front.versions.unsupported.AwaitingApprovalmethod), 200

get_my_notification_last_view_date() (work-front.versions.unsupported.UserNote method),415

get_my_submitted_awaiting_approvals_count() (work-front.versions.unsupported.AwaitingApprovalmethod), 200

get_my_work_count() (work-

front.versions.unsupported.Work method),424

get_next_completion_date() (work-front.versions.unsupported.Schedule method),354

get_next_completion_date() (work-front.versions.v40.Schedule method), 104

get_next_customer_feedback_type() (work-front.versions.unsupported.User method),405

get_next_start_date() (work-front.versions.unsupported.Schedule method),354

get_next_start_date() (workfront.versions.v40.Schedulemethod), 104

get_or_add_external_user() (work-front.versions.unsupported.User method),405

get_password_complexity_by_token() (work-front.versions.unsupported.Authenticationmethod), 197

get_password_complexity_by_username() (work-front.versions.unsupported.Authenticationmethod), 197

get_pk() (workfront.versions.unsupported.PortalSectionmethod), 312

get_pretty_expression_form() (work-front.versions.unsupported.CalendarSectionmethod), 211

get_project_currency() (work-front.versions.unsupported.Project method),329

get_proof_details() (work-front.versions.unsupported.Document method),235

get_proof_details_url() (work-front.versions.unsupported.Document method),235

get_proof_url() (workfront.versions.unsupported.Documentmethod), 235

get_proof_usage() (work-front.versions.unsupported.Document method),235

get_provider_with_write_access() (work-front.versions.unsupported.DocumentProvidermethod), 245

get_public_generic_thumbnail_url() (work-front.versions.unsupported.Document method),235

get_public_thumbnail_file_path() (work-front.versions.unsupported.Document method),236

get_report_from_cache() (work-front.versions.unsupported.PortalSection

Index 507

python-workfront Documentation, Release 0.8.0

method), 312get_reset_password_token_expired() (work-

front.versions.unsupported.User method),405

get_s3document_url() (work-front.versions.unsupported.Document method),236

get_security_parent_ids() (work-front.versions.unsupported.AccessLevelmethod), 158

get_security_parent_obj_code() (work-front.versions.unsupported.AccessLevelmethod), 159

get_ssooption_by_domain() (work-front.versions.unsupported.Authenticationmethod), 197

get_template_currency() (work-front.versions.unsupported.Template method),378

get_thumbnail_data() (work-front.versions.unsupported.Document method),236

get_thumbnail_file_path() (work-front.versions.unsupported.Document method),236

get_thumbnail_path() (work-front.versions.unsupported.ExternalDocumentmethod), 263

get_total_size_for_documents() (work-front.versions.unsupported.Document method),236

get_update_types_for_stream() (work-front.versions.unsupported.Update method),400

get_upgrades_info() (work-front.versions.unsupported.Authenticationmethod), 197

get_user_accessor_ids() (work-front.versions.unsupported.AccessLevelmethod), 159

get_user_assignments() (work-front.versions.unsupported.UserAvailabilitymethod), 411

get_user_invitation_email() (work-front.versions.unsupported.EmailTemplatemethod), 254

get_view_fields() (work-front.versions.unsupported.UIView method),398

get_viewable_object_obj_codes() (work-front.versions.unsupported.AccessLevelmethod), 159

get_work_requests_count() (work-front.versions.unsupported.Work method),

424global_uikey (workfront.versions.unsupported.ExternalSection

attribute), 265global_uikey (workfront.versions.unsupported.PortalSection

attribute), 312global_uikey (workfront.versions.unsupported.UIFilter

attribute), 394global_uikey (workfront.versions.unsupported.UIGroupBy

attribute), 396global_uikey (workfront.versions.unsupported.UIView

attribute), 398global_uikey (workfront.versions.v40.UIFilter attribute),

132global_uikey (workfront.versions.v40.UIGroupBy

attribute), 134global_uikey (workfront.versions.v40.UIView attribute),

135goal (workfront.versions.unsupported.Iteration attribute),

283goal (workfront.versions.v40.Iteration attribute), 68golden (workfront.versions.unsupported.Customer

attribute), 225golden (workfront.versions.v40.Customer attribute), 42grant_access() (workfront.versions.unsupported.AccessRequest

method), 161grant_object_access() (work-

front.versions.unsupported.AccessRequestmethod), 161

granter (workfront.versions.unsupported.AccessRequestattribute), 161

granter_id (workfront.versions.unsupported.AccessRequestattribute), 161

Group (class in workfront.versions.unsupported), 268Group (class in workfront.versions.v40), 58group (workfront.versions.unsupported.AnnouncementRecipient

attribute), 170group (workfront.versions.unsupported.Approval at-

tribute), 179group (workfront.versions.unsupported.Category at-

tribute), 213group (workfront.versions.unsupported.Project attribute),

329group (workfront.versions.unsupported.Schedule at-

tribute), 354group (workfront.versions.unsupported.Task attribute),

367group (workfront.versions.unsupported.UserGroups at-

tribute), 413group (workfront.versions.unsupported.Work attribute),

424group (workfront.versions.v40.Approval attribute), 19group (workfront.versions.v40.Category attribute), 38group (workfront.versions.v40.Project attribute), 90group (workfront.versions.v40.Schedule attribute), 104

508 Index

python-workfront Documentation, Release 0.8.0

group (workfront.versions.v40.Task attribute), 113group (workfront.versions.v40.Work attribute), 149group_by (workfront.versions.unsupported.PortalSection

attribute), 312group_by_id (workfront.versions.unsupported.PortalSection

attribute), 312group_control (workfront.versions.unsupported.PortalSection

attribute), 312group_id (workfront.versions.unsupported.AnnouncementRecipient

attribute), 170group_id (workfront.versions.unsupported.Approval at-

tribute), 179group_id (workfront.versions.unsupported.Category at-

tribute), 213group_id (workfront.versions.unsupported.Project at-

tribute), 329group_id (workfront.versions.unsupported.Schedule at-

tribute), 354group_id (workfront.versions.unsupported.Task at-

tribute), 367group_id (workfront.versions.unsupported.UserGroups

attribute), 413group_id (workfront.versions.unsupported.Work at-

tribute), 424group_id (workfront.versions.v40.Approval attribute), 19group_id (workfront.versions.v40.Category attribute), 38group_id (workfront.versions.v40.Project attribute), 90group_id (workfront.versions.v40.Schedule attribute),

104group_id (workfront.versions.v40.Task attribute), 113group_id (workfront.versions.v40.Work attribute), 149group_ids (workfront.versions.unsupported.ScheduledReport

attribute), 355group_name (workfront.versions.unsupported.LayoutTemplateCard

attribute), 291groups (workfront.versions.unsupported.Customer

attribute), 225groups (workfront.versions.unsupported.Document at-

tribute), 237groups (workfront.versions.unsupported.MasterTask at-

tribute), 295groups (workfront.versions.unsupported.MilestonePath

attribute), 299groups (workfront.versions.unsupported.Portfolio at-

tribute), 319groups (workfront.versions.unsupported.ScheduledReport

attribute), 355groups (workfront.versions.unsupported.Template at-

tribute), 378groups (workfront.versions.v40.Customer attribute), 42groups (workfront.versions.v40.Document attribute), 47groups (workfront.versions.v40.MilestonePath attribute),

75groups (workfront.versions.v40.Portfolio attribute), 82

groups (workfront.versions.v40.Template attribute), 122

Hhandle (workfront.versions.unsupported.Avatar attribute),

199handle (workfront.versions.unsupported.Document at-

tribute), 237handle (workfront.versions.unsupported.DocumentVersion

attribute), 252handle (workfront.versions.v40.Avatar attribute), 33handle (workfront.versions.v40.Document attribute), 47handle (workfront.versions.v40.DocumentVersion at-

tribute), 52handle_proof_callback() (work-

front.versions.unsupported.Document method),237

handler_class_name (work-front.versions.unsupported.BackgroundJobattribute), 202

handler_class_name (work-front.versions.v40.BackgroundJob attribute),33

handler_properties (work-front.versions.unsupported.EventHandlerattribute), 257

handler_type (workfront.versions.unsupported.EventHandlerattribute), 257

handoff_date (workfront.versions.unsupported.Approvalattribute), 179

handoff_date (workfront.versions.unsupported.Task at-tribute), 367

handoff_date (workfront.versions.unsupported.Work at-tribute), 424

handoff_date (workfront.versions.v40.Approval at-tribute), 19

handoff_date (workfront.versions.v40.Task attribute), 113handoff_date (workfront.versions.v40.Work attribute),

149has_announcement_delete_access() (work-

front.versions.unsupported.UserNote method),415

has_any_access() (work-front.versions.unsupported.AccessLevelmethod), 159

has_apiaccess (workfront.versions.unsupported.User at-tribute), 405

has_apiaccess (workfront.versions.v40.User attribute),139

has_assign_permissions (work-front.versions.unsupported.TeamMemberattribute), 376

has_assign_permissions (work-front.versions.v40.TeamMember attribute),121

Index 509

python-workfront Documentation, Release 0.8.0

has_attachments (work-front.versions.unsupported.Announcementattribute), 168

has_budget_conflict (work-front.versions.unsupported.Approval attribute),179

has_budget_conflict (work-front.versions.unsupported.Project attribute),329

has_budget_conflict (workfront.versions.v40.Approvalattribute), 19

has_budget_conflict (workfront.versions.v40.Project at-tribute), 90

has_calc_error (workfront.versions.unsupported.Approvalattribute), 179

has_calc_error (workfront.versions.unsupported.Projectattribute), 329

has_calc_error (workfront.versions.v40.Approval at-tribute), 19

has_calc_error (workfront.versions.v40.Project attribute),90

has_calculated_fields (work-front.versions.unsupported.Category attribute),214

has_calculated_fields (workfront.versions.v40.Categoryattribute), 38

has_completion_constraint (work-front.versions.unsupported.Approval attribute),179

has_completion_constraint (work-front.versions.unsupported.Project attribute),329

has_completion_constraint (work-front.versions.unsupported.Task attribute),367

has_completion_constraint (work-front.versions.unsupported.Work attribute),424

has_completion_constraint (work-front.versions.v40.Approval attribute), 19

has_completion_constraint (work-front.versions.v40.Project attribute), 90

has_completion_constraint (workfront.versions.v40.Taskattribute), 113

has_completion_constraint (work-front.versions.v40.Work attribute), 149

has_documents (workfront.versions.unsupported.Approvalattribute), 179

has_documents (workfront.versions.unsupported.Customerattribute), 225

has_documents (workfront.versions.unsupported.Issueattribute), 277

has_documents (workfront.versions.unsupported.Iterationattribute), 283

has_documents (workfront.versions.unsupported.MasterTaskattribute), 295

has_documents (workfront.versions.unsupported.Portfolioattribute), 319

has_documents (workfront.versions.unsupported.Programattribute), 321

has_documents (workfront.versions.unsupported.Projectattribute), 329

has_documents (workfront.versions.unsupported.Task at-tribute), 367

has_documents (workfront.versions.unsupported.Templateattribute), 378

has_documents (workfront.versions.unsupported.TemplateTaskattribute), 385

has_documents (workfront.versions.unsupported.User at-tribute), 405

has_documents (workfront.versions.unsupported.Workattribute), 424

has_documents (workfront.versions.v40.Approval at-tribute), 19

has_documents (workfront.versions.v40.Customerattribute), 43

has_documents (workfront.versions.v40.Issue attribute),64

has_documents (workfront.versions.v40.Iteration at-tribute), 68

has_documents (workfront.versions.v40.Portfolio at-tribute), 82

has_documents (workfront.versions.v40.Program at-tribute), 84

has_documents (workfront.versions.v40.Project at-tribute), 90

has_documents (workfront.versions.v40.Task attribute),113

has_documents (workfront.versions.v40.Template at-tribute), 122

has_documents (workfront.versions.v40.TemplateTaskattribute), 127

has_documents (workfront.versions.v40.User attribute),139

has_documents (workfront.versions.v40.Work attribute),149

has_early_access() (workfront.versions.unsupported.Usermethod), 405

has_expenses (workfront.versions.unsupported.Approvalattribute), 179

has_expenses (workfront.versions.unsupported.MasterTaskattribute), 295

has_expenses (workfront.versions.unsupported.Projectattribute), 329

has_expenses (workfront.versions.unsupported.Task at-tribute), 367

has_expenses (workfront.versions.unsupported.Templateattribute), 379

510 Index

python-workfront Documentation, Release 0.8.0

has_expenses (workfront.versions.unsupported.TemplateTaskattribute), 385

has_expenses (workfront.versions.unsupported.Work at-tribute), 424

has_expenses (workfront.versions.v40.Approval at-tribute), 19

has_expenses (workfront.versions.v40.Project attribute),90

has_expenses (workfront.versions.v40.Task attribute),113

has_expenses (workfront.versions.v40.Template at-tribute), 122

has_expenses (workfront.versions.v40.TemplateTask at-tribute), 127

has_expenses (workfront.versions.v40.Work attribute),149

has_finance_fields (work-front.versions.unsupported.CategoryParameterExpressionattribute), 217

has_finance_fields (work-front.versions.v40.CategoryParameterExpressionattribute), 39

has_mapping_rules (work-front.versions.unsupported.SSOMappingattribute), 350

has_messages (workfront.versions.unsupported.Approvalattribute), 180

has_messages (workfront.versions.unsupported.Issue at-tribute), 277

has_messages (workfront.versions.unsupported.Portfolioattribute), 319

has_messages (workfront.versions.unsupported.Programattribute), 321

has_messages (workfront.versions.unsupported.Projectattribute), 329

has_messages (workfront.versions.unsupported.Task at-tribute), 367

has_messages (workfront.versions.unsupported.Work at-tribute), 424

has_messages (workfront.versions.v40.Approval at-tribute), 19

has_messages (workfront.versions.v40.Issue attribute),64

has_messages (workfront.versions.v40.Portfolio at-tribute), 82

has_messages (workfront.versions.v40.Program at-tribute), 84

has_messages (workfront.versions.v40.Project attribute),90

has_messages (workfront.versions.v40.Task attribute),113

has_messages (workfront.versions.v40.User attribute),140

has_messages (workfront.versions.v40.Work attribute),

149has_non_work_days (work-

front.versions.unsupported.Schedule attribute),354

has_non_work_days (workfront.versions.v40.Scheduleattribute), 105

has_notes (workfront.versions.unsupported.Approval at-tribute), 180

has_notes (workfront.versions.unsupported.Document at-tribute), 237

has_notes (workfront.versions.unsupported.Issue at-tribute), 277

has_notes (workfront.versions.unsupported.Iteration at-tribute), 283

has_notes (workfront.versions.unsupported.Portfolio at-tribute), 319

has_notes (workfront.versions.unsupported.Program at-tribute), 321

has_notes (workfront.versions.unsupported.Projectattribute), 329

has_notes (workfront.versions.unsupported.Task at-tribute), 367

has_notes (workfront.versions.unsupported.Template at-tribute), 379

has_notes (workfront.versions.unsupported.TemplateTaskattribute), 385

has_notes (workfront.versions.unsupported.Timesheet at-tribute), 391

has_notes (workfront.versions.unsupported.User at-tribute), 405

has_notes (workfront.versions.unsupported.Work at-tribute), 424

has_notes (workfront.versions.v40.Approval attribute),19

has_notes (workfront.versions.v40.Document attribute),47

has_notes (workfront.versions.v40.Issue attribute), 64has_notes (workfront.versions.v40.Iteration attribute), 69has_notes (workfront.versions.v40.Portfolio attribute), 82has_notes (workfront.versions.v40.Program attribute), 84has_notes (workfront.versions.v40.Project attribute), 90has_notes (workfront.versions.v40.Task attribute), 113has_notes (workfront.versions.v40.Template attribute),

122has_notes (workfront.versions.v40.TemplateTask at-

tribute), 127has_notes (workfront.versions.v40.Timesheet attribute),

131has_notes (workfront.versions.v40.User attribute), 140has_notes (workfront.versions.v40.Work attribute), 149has_password (workfront.versions.unsupported.User at-

tribute), 406has_password (workfront.versions.v40.User attribute),

140

Index 511

python-workfront Documentation, Release 0.8.0

has_preview_access (work-front.versions.unsupported.Customer attribute),225

has_preview_access (workfront.versions.v40.Customerattribute), 43

has_proof_license (workfront.versions.unsupported.Userattribute), 406

has_proof_license (workfront.versions.v40.User at-tribute), 140

has_queue_topics (work-front.versions.unsupported.QueueDef at-tribute), 337

has_queue_topics (workfront.versions.v40.QueueDef at-tribute), 97

has_rate_override (work-front.versions.unsupported.Approval attribute),180

has_rate_override (work-front.versions.unsupported.Company attribute),218

has_rate_override (workfront.versions.unsupported.Hourattribute), 270

has_rate_override (work-front.versions.unsupported.Project attribute),329

has_rate_override (workfront.versions.v40.Approval at-tribute), 19

has_rate_override (workfront.versions.v40.Company at-tribute), 40

has_rate_override (workfront.versions.v40.Hour at-tribute), 59

has_rate_override (workfront.versions.v40.Projectattribute), 90

has_reference() (workfront.versions.unsupported.AccessLevelmethod), 159

has_reference() (workfront.versions.unsupported.Companymethod), 218

has_reference() (workfront.versions.unsupported.ExpenseTypemethod), 262

has_reference() (workfront.versions.unsupported.Groupmethod), 269

has_reference() (workfront.versions.unsupported.HourTypemethod), 272

has_reference() (workfront.versions.unsupported.RiskTypemethod), 348

has_reference() (workfront.versions.unsupported.Rolemethod), 348

has_reference() (workfront.versions.unsupported.Schedulemethod), 354

has_reference() (workfront.versions.unsupported.TimesheetProfilemethod), 393

has_replies (workfront.versions.unsupported.Endorsementattribute), 254

has_replies (workfront.versions.unsupported.Note at-

tribute), 301has_replies (workfront.versions.v40.Note attribute), 76has_reserved_times (work-

front.versions.unsupported.User attribute),406

has_reserved_times (workfront.versions.v40.User at-tribute), 140

has_resolvables (workfront.versions.unsupported.Approvalattribute), 180

has_resolvables (workfront.versions.unsupported.Issueattribute), 277

has_resolvables (workfront.versions.unsupported.Projectattribute), 329

has_resolvables (workfront.versions.unsupported.Task at-tribute), 367

has_resolvables (workfront.versions.unsupported.Workattribute), 424

has_resolvables (workfront.versions.v40.Approvalattribute), 19

has_resolvables (workfront.versions.v40.Issue attribute),64

has_resolvables (workfront.versions.v40.Project at-tribute), 90

has_resolvables (workfront.versions.v40.Task attribute),113

has_resolvables (workfront.versions.v40.Work attribute),149

has_start_constraint (work-front.versions.unsupported.Approval attribute),180

has_start_constraint (work-front.versions.unsupported.Project attribute),329

has_start_constraint (work-front.versions.unsupported.Task attribute),367

has_start_constraint (work-front.versions.unsupported.Work attribute),425

has_start_constraint (workfront.versions.v40.Approvalattribute), 19

has_start_constraint (workfront.versions.v40.Project at-tribute), 90

has_start_constraint (workfront.versions.v40.Task at-tribute), 113

has_start_constraint (workfront.versions.v40.Workattribute), 149

has_timed_notifications (work-front.versions.unsupported.Approval attribute),180

has_timed_notifications (work-front.versions.unsupported.Customer attribute),225

has_timed_notifications (work-

512 Index

python-workfront Documentation, Release 0.8.0

front.versions.unsupported.Issue attribute),277

has_timed_notifications (work-front.versions.unsupported.Project attribute),329

has_timed_notifications (work-front.versions.unsupported.Task attribute),367

has_timed_notifications (work-front.versions.unsupported.Template attribute),379

has_timed_notifications (work-front.versions.unsupported.TemplateTaskattribute), 385

has_timed_notifications (work-front.versions.unsupported.Work attribute),425

has_timed_notifications (work-front.versions.v40.Approval attribute), 20

has_timed_notifications (work-front.versions.v40.Customer attribute), 43

has_timed_notifications (workfront.versions.v40.Issue at-tribute), 64

has_timed_notifications (workfront.versions.v40.Projectattribute), 91

has_timed_notifications (workfront.versions.v40.Task at-tribute), 113

has_timed_notifications (work-front.versions.v40.Template attribute), 122

has_timed_notifications (work-front.versions.v40.TemplateTask attribute),127

has_timed_notifications (workfront.versions.v40.Workattribute), 149

has_timeline_exception (work-front.versions.unsupported.Approval attribute),180

has_timeline_exception (work-front.versions.unsupported.Project attribute),329

has_updates_before_date() (work-front.versions.unsupported.Update method),400

has_upgrade_error (work-front.versions.unsupported.AppInfo attribute),172

height (workfront.versions.unsupported.ExternalSectionattribute), 265

help_desk_config_map (work-front.versions.unsupported.Customer attribute),225

help_desk_config_map_id (work-front.versions.unsupported.Customer attribute),225

help_desk_config_map_id (work-front.versions.v40.Customer attribute), 43

high_priority_work_item (work-front.versions.unsupported.User attribute),406

high_priority_work_item (workfront.versions.v40.Userattribute), 140

home_group (workfront.versions.unsupported.User at-tribute), 406

home_group (workfront.versions.v40.User attribute), 140home_group_id (workfront.versions.unsupported.User

attribute), 406home_group_id (workfront.versions.v40.User attribute),

140home_team (workfront.versions.unsupported.User

attribute), 406home_team (workfront.versions.v40.User attribute), 140home_team_id (workfront.versions.unsupported.User at-

tribute), 406home_team_id (workfront.versions.v40.User attribute),

140host (workfront.versions.unsupported.DocumentProviderConfig

attribute), 246hosted_entity_id (work-

front.versions.unsupported.SSOOption at-tribute), 351

Hour (class in workfront.versions.unsupported), 269Hour (class in workfront.versions.v40), 58hour (workfront.versions.unsupported.JournalEntry at-

tribute), 286hour (workfront.versions.v40.JournalEntry attribute), 70hour_id (workfront.versions.unsupported.JournalEntry

attribute), 286hour_id (workfront.versions.v40.JournalEntry attribute),

71hour_type (workfront.versions.unsupported.Hour at-

tribute), 270hour_type (workfront.versions.unsupported.TimesheetTemplate

attribute), 393hour_type (workfront.versions.v40.Hour attribute), 59hour_type_id (workfront.versions.unsupported.Hour at-

tribute), 270hour_type_id (workfront.versions.unsupported.TimesheetTemplate

attribute), 393hour_type_id (workfront.versions.v40.Hour attribute), 59hour_types (workfront.versions.unsupported.AppGlobal

attribute), 172hour_types (workfront.versions.unsupported.Approval at-

tribute), 180hour_types (workfront.versions.unsupported.Customer

attribute), 225hour_types (workfront.versions.unsupported.Project at-

tribute), 329hour_types (workfront.versions.unsupported.Template at-

Index 513

python-workfront Documentation, Release 0.8.0

tribute), 379hour_types (workfront.versions.unsupported.TimesheetProfile

attribute), 393hour_types (workfront.versions.unsupported.User at-

tribute), 406hour_types (workfront.versions.v40.Approval attribute),

20hour_types (workfront.versions.v40.Customer attribute),

43hour_types (workfront.versions.v40.Project attribute), 91hour_types (workfront.versions.v40.Template attribute),

122hour_types (workfront.versions.v40.User attribute), 140hours (workfront.versions.unsupported.Approval at-

tribute), 180hours (workfront.versions.unsupported.BillingRecord at-

tribute), 206hours (workfront.versions.unsupported.Hour attribute),

270hours (workfront.versions.unsupported.Issue attribute),

277hours (workfront.versions.unsupported.Project attribute),

329hours (workfront.versions.unsupported.Task attribute),

367hours (workfront.versions.unsupported.Timesheet at-

tribute), 391hours (workfront.versions.unsupported.Work attribute),

425hours (workfront.versions.v40.Approval attribute), 20hours (workfront.versions.v40.BillingRecord attribute),

37hours (workfront.versions.v40.Hour attribute), 59hours (workfront.versions.v40.Issue attribute), 64hours (workfront.versions.v40.Project attribute), 91hours (workfront.versions.v40.Task attribute), 114hours (workfront.versions.v40.Timesheet attribute), 131hours (workfront.versions.v40.Work attribute), 149hours_duration (workfront.versions.unsupported.Timesheet

attribute), 391hours_duration (workfront.versions.v40.Timesheet

attribute), 131hours_per_point (work-

front.versions.unsupported.Approval attribute),180

hours_per_point (workfront.versions.unsupported.Taskattribute), 367

hours_per_point (workfront.versions.unsupported.Teamattribute), 374

hours_per_point (workfront.versions.unsupported.Workattribute), 425

hours_per_point (workfront.versions.v40.Approval at-tribute), 20

hours_per_point (workfront.versions.v40.Task attribute),

114hours_per_point (workfront.versions.v40.Team attribute),

119hours_per_point (workfront.versions.v40.Work attribute),

149HourType (class in workfront.versions.unsupported), 271HourType (class in workfront.versions.v40), 60how_old (workfront.versions.unsupported.Approval at-

tribute), 180how_old (workfront.versions.unsupported.Issue at-

tribute), 277how_old (workfront.versions.unsupported.Work at-

tribute), 425how_old (workfront.versions.v40.Approval attribute), 20how_old (workfront.versions.v40.Issue attribute), 64how_old (workfront.versions.v40.Work attribute), 149href (workfront.versions.unsupported.MessageArg

attribute), 297href (workfront.versions.v40.MessageArg attribute), 74

Iicon (workfront.versions.unsupported.DocumentVersion

attribute), 252icon_name (workfront.versions.unsupported.Update at-

tribute), 400icon_name (workfront.versions.v40.Update attribute),

136icon_path (workfront.versions.unsupported.Update at-

tribute), 400icon_path (workfront.versions.v40.Update attribute), 136icon_url (workfront.versions.unsupported.ExternalDocument

attribute), 263id (workfront.meta.Object attribute), 12iddiobj_code (workfront.versions.unsupported.InstalledDDItem

attribute), 273ignore() (workfront.versions.unsupported.AccessRequest

method), 161import_kick_start() (work-

front.versions.unsupported.KickStart method),288

import_msproject_file() (work-front.versions.unsupported.Project method),329

import_obj_code (work-front.versions.unsupported.ImportTemplateattribute), 273

import_rows (workfront.versions.unsupported.ImportTemplateattribute), 273

import_template (work-front.versions.unsupported.ImportRow at-tribute), 273

import_template_id (work-front.versions.unsupported.ImportRow at-tribute), 273

514 Index

python-workfront Documentation, Release 0.8.0

import_templates (work-front.versions.unsupported.Customer attribute),225

ImportRow (class in workfront.versions.unsupported),273

ImportTemplate (class in work-front.versions.unsupported), 273

indent (workfront.versions.unsupported.Approval at-tribute), 180

indent (workfront.versions.unsupported.Note attribute),301

indent (workfront.versions.unsupported.Task attribute),367

indent (workfront.versions.unsupported.TemplateTask at-tribute), 385

indent (workfront.versions.unsupported.Work attribute),425

indent (workfront.versions.v40.Approval attribute), 20indent (workfront.versions.v40.Note attribute), 76indent (workfront.versions.v40.Task attribute), 114indent (workfront.versions.v40.TemplateTask attribute),

127indent (workfront.versions.v40.Work attribute), 149indented_name (workfront.versions.unsupported.QueueTopic

attribute), 338indented_name (workfront.versions.v40.QueueTopic at-

tribute), 98inline_java_script_config_map (work-

front.versions.unsupported.Customer attribute),225

inline_java_script_config_map_id (work-front.versions.unsupported.Customer attribute),225

inline_java_script_config_map_id (work-front.versions.v40.Customer attribute), 43

installed_dditems (work-front.versions.unsupported.Customer attribute),225

InstalledDDItem (class in work-front.versions.unsupported), 273

interation_id (workfront.versions.unsupported.ParameterValueattribute), 308

internal_section (work-front.versions.unsupported.PortalTabSectionattribute), 317

internal_section_id (work-front.versions.unsupported.PortalTabSectionattribute), 317

invoice_id (workfront.versions.unsupported.BillingRecordattribute), 206

invoice_id (workfront.versions.v40.BillingRecord at-tribute), 37

ip_ranges (workfront.versions.unsupported.Customer at-tribute), 225

IPRange (class in workfront.versions.unsupported), 272is_active (workfront.versions.unsupported.AccountRep

attribute), 166is_active (workfront.versions.unsupported.DocumentProviderConfig

attribute), 246is_active (workfront.versions.unsupported.EventHandler

attribute), 257is_active (workfront.versions.unsupported.HourType at-

tribute), 272is_active (workfront.versions.unsupported.Portfolio at-

tribute), 319is_active (workfront.versions.unsupported.Reseller

attribute), 344is_active (workfront.versions.unsupported.User at-

tribute), 406is_active (workfront.versions.v40.HourType attribute), 60is_active (workfront.versions.v40.Portfolio attribute), 82is_active (workfront.versions.v40.User attribute), 140is_admin (workfront.versions.unsupported.AccessLevel

attribute), 159is_admin (workfront.versions.unsupported.AccessLevelPermissions

attribute), 160is_admin (workfront.versions.unsupported.CustomerFeedback

attribute), 231is_admin (workfront.versions.unsupported.User at-

tribute), 406is_admin (workfront.versions.v40.User attribute), 140is_admin_back_door_access_allowed (work-

front.versions.unsupported.SSOOption at-tribute), 351

is_advanced_doc_mgmt_enabled (work-front.versions.unsupported.Customer attribute),225

is_agile (workfront.versions.unsupported.Approval at-tribute), 180

is_agile (workfront.versions.unsupported.Task attribute),367

is_agile (workfront.versions.unsupported.Team attribute),374

is_agile (workfront.versions.unsupported.Work attribute),425

is_agile (workfront.versions.v40.Approval attribute), 20is_agile (workfront.versions.v40.Task attribute), 114is_agile (workfront.versions.v40.Team attribute), 119is_agile (workfront.versions.v40.Work attribute), 150is_apienabled (workfront.versions.unsupported.Customer

attribute), 225is_apienabled (workfront.versions.unsupported.LicenseOrder

attribute), 292is_apienabled (workfront.versions.v40.Customer at-

tribute), 43is_app_global_copiable (work-

front.versions.unsupported.PortalSectionattribute), 313

Index 515

python-workfront Documentation, Release 0.8.0

is_app_global_editable (work-front.versions.unsupported.PortalSectionattribute), 313

is_app_global_editable (work-front.versions.unsupported.UIFilter attribute),394

is_app_global_editable (work-front.versions.unsupported.UIGroupBy at-tribute), 396

is_app_global_editable (work-front.versions.unsupported.UIView attribute),398

is_app_global_editable (workfront.versions.v40.UIFilterattribute), 132

is_app_global_editable (work-front.versions.v40.UIGroupBy attribute),134

is_app_global_editable (workfront.versions.v40.UIViewattribute), 135

is_approver (workfront.versions.unsupported.DocumentShareattribute), 249

is_asp (workfront.versions.unsupported.MetaRecord at-tribute), 297

is_assignee (workfront.versions.unsupported.Endorsementattribute), 254

is_async_reporting_enabled (work-front.versions.unsupported.Customer attribute),225

is_billable (workfront.versions.unsupported.Expense at-tribute), 260

is_billable (workfront.versions.v40.Expense attribute), 54is_biz_rule_exclusion_enabled() (work-

front.versions.unsupported.Customer method),225

is_box_authenticated (work-front.versions.unsupported.User attribute),406

is_box_authenticated (workfront.versions.v40.User at-tribute), 140

is_common (workfront.versions.unsupported.MetaRecordattribute), 297

is_complete (workfront.versions.unsupported.Approvalattribute), 180

is_complete (workfront.versions.unsupported.BurndownEventattribute), 207

is_complete (workfront.versions.unsupported.Issue at-tribute), 277

is_complete (workfront.versions.unsupported.Work at-tribute), 425

is_complete (workfront.versions.v40.Approval attribute),20

is_complete (workfront.versions.v40.Issue attribute), 64is_complete (workfront.versions.v40.Work attribute), 150is_cp (workfront.versions.unsupported.Predecessor at-

tribute), 320is_cp (workfront.versions.v40.Predecessor attribute), 83is_critical (workfront.versions.unsupported.Approval at-

tribute), 180is_critical (workfront.versions.unsupported.Task at-

tribute), 367is_critical (workfront.versions.unsupported.TemplateTask

attribute), 386is_critical (workfront.versions.unsupported.Work at-

tribute), 425is_critical (workfront.versions.v40.Approval attribute),

20is_critical (workfront.versions.v40.Task attribute), 114is_critical (workfront.versions.v40.TemplateTask at-

tribute), 127is_critical (workfront.versions.v40.Work attribute), 150is_custom_quarter_enabled (work-

front.versions.unsupported.Customer attribute),226

is_dam_enabled (work-front.versions.unsupported.Customer attribute),226

is_dead (workfront.versions.unsupported.WorkItem at-tribute), 432

is_dead (workfront.versions.v40.WorkItem attribute), 156is_default (workfront.versions.unsupported.Baseline at-

tribute), 204is_default (workfront.versions.unsupported.BaselineTask

attribute), 205is_default (workfront.versions.unsupported.ParameterGroup

attribute), 307is_default (workfront.versions.unsupported.ParameterOption

attribute), 308is_default (workfront.versions.unsupported.Schedule at-

tribute), 354is_default (workfront.versions.unsupported.ScoreCardOption

attribute), 359is_default (workfront.versions.unsupported.UIView at-

tribute), 398is_default (workfront.versions.v40.Baseline attribute), 34is_default (workfront.versions.v40.BaselineTask at-

tribute), 36is_default (workfront.versions.v40.ParameterGroup at-

tribute), 80is_default (workfront.versions.v40.ParameterOption at-

tribute), 81is_default (workfront.versions.v40.Schedule attribute),

105is_default (workfront.versions.v40.ScoreCardOption at-

tribute), 107is_default (workfront.versions.v40.UIView attribute), 135is_deleted (workfront.versions.unsupported.Note at-

tribute), 301is_deleted (workfront.versions.v40.Note attribute), 76

516 Index

python-workfront Documentation, Release 0.8.0

is_dir (workfront.versions.unsupported.Document at-tribute), 237

is_dir (workfront.versions.v40.Document attribute), 47is_disabled (workfront.versions.unsupported.Customer

attribute), 226is_disabled (workfront.versions.v40.Customer attribute),

43is_done (workfront.versions.unsupported.WorkItem at-

tribute), 432is_done (workfront.versions.v40.WorkItem attribute),

156is_download (workfront.versions.unsupported.DocumentShare

attribute), 249is_draft (workfront.versions.unsupported.Announcement

attribute), 168is_drop_box_authenticated (work-

front.versions.unsupported.User attribute),406

is_drop_box_authenticated (workfront.versions.v40.Userattribute), 140

is_duration_enabled (work-front.versions.unsupported.JournalField at-tribute), 288

is_duration_locked (work-front.versions.unsupported.Approval attribute),180

is_duration_locked (work-front.versions.unsupported.MasterTask at-tribute), 295

is_duration_locked (work-front.versions.unsupported.Task attribute),367

is_duration_locked (work-front.versions.unsupported.TemplateTaskattribute), 386

is_duration_locked (work-front.versions.unsupported.Work attribute),425

is_duration_locked (workfront.versions.v40.Approval at-tribute), 20

is_duration_locked (workfront.versions.v40.Task at-tribute), 114

is_duration_locked (work-front.versions.v40.TemplateTask attribute),127

is_duration_locked (workfront.versions.v40.Work at-tribute), 150

is_editable (workfront.versions.unsupported.Timesheetattribute), 391

is_editable (workfront.versions.v40.Timesheet attribute),131

is_enabled() (workfront.versions.unsupported.Featuremethod), 266

is_enforced (workfront.versions.unsupported.Predecessor

attribute), 320is_enforced (workfront.versions.unsupported.TemplatePredecessor

attribute), 383is_enforced (workfront.versions.v40.Predecessor at-

tribute), 83is_enforced (workfront.versions.v40.TemplatePredecessor

attribute), 125is_enterprise (workfront.versions.unsupported.Customer

attribute), 226is_enterprise (workfront.versions.unsupported.LicenseOrder

attribute), 292is_enterprise (workfront.versions.v40.Customer at-

tribute), 43is_google_authenticated (work-

front.versions.unsupported.User attribute),406

is_google_authenticated (workfront.versions.v40.User at-tribute), 140

is_help_desk (workfront.versions.unsupported.Approvalattribute), 180

is_help_desk (workfront.versions.unsupported.Issue at-tribute), 277

is_help_desk (workfront.versions.unsupported.Work at-tribute), 425

is_help_desk (workfront.versions.v40.Approval at-tribute), 20

is_help_desk (workfront.versions.v40.Issue attribute), 64is_help_desk (workfront.versions.v40.Work attribute),

150is_hidden (workfront.versions.unsupported.CustomEnumOrder

attribute), 220is_hidden (workfront.versions.unsupported.EventHandler

attribute), 257is_hidden (workfront.versions.unsupported.ParameterOption

attribute), 308is_hidden (workfront.versions.unsupported.ScoreCardOption

attribute), 359is_hidden (workfront.versions.v40.ParameterOption at-

tribute), 81is_hidden (workfront.versions.v40.ScoreCardOption at-

tribute), 107is_in_linked_folder() (work-

front.versions.unsupported.Document method),237

is_in_my_approvals() (work-front.versions.unsupported.Approval method),180

is_in_my_submitted_approvals() (work-front.versions.unsupported.Approval method),180

is_inherited (workfront.versions.unsupported.AccessRuleattribute), 163

is_inherited (workfront.versions.v40.AccessRule at-tribute), 12

Index 517

python-workfront Documentation, Release 0.8.0

is_invalid_expression (work-front.versions.unsupported.CategoryParameterattribute), 216

is_invalid_expression (work-front.versions.v40.CategoryParameter at-tribute), 38

is_journaled (workfront.versions.unsupported.CategoryParameterattribute), 216

is_legacy (workfront.versions.unsupported.Iteration at-tribute), 283

is_leveling_excluded (work-front.versions.unsupported.Approval attribute),181

is_leveling_excluded (work-front.versions.unsupported.Task attribute),367

is_leveling_excluded (work-front.versions.unsupported.TemplateTaskattribute), 386

is_leveling_excluded (work-front.versions.unsupported.Work attribute),425

is_leveling_excluded (workfront.versions.v40.Approvalattribute), 20

is_leveling_excluded (workfront.versions.v40.Task at-tribute), 114

is_leveling_excluded (work-front.versions.v40.TemplateTask attribute),127

is_leveling_excluded (workfront.versions.v40.Work at-tribute), 150

is_linked_document() (work-front.versions.unsupported.Document method),237

is_linked_folder() (work-front.versions.unsupported.DocumentFoldermethod), 243

is_marketing_solutions_enabled (work-front.versions.v40.Customer attribute), 43

is_message (workfront.versions.unsupported.Noteattribute), 301

is_message (workfront.versions.v40.Note attribute), 76is_migrated_to_anaconda (work-

front.versions.unsupported.Customer attribute),226

is_migrated_to_anaconda (work-front.versions.v40.Customer attribute), 43

is_new_format (workfront.versions.unsupported.PortalSectionattribute), 313

is_new_format (workfront.versions.unsupported.UIViewattribute), 398

is_new_format (workfront.versions.v40.UIView at-tribute), 135

is_npssurvey_available() (work-

front.versions.unsupported.User method),406

is_overridden (workfront.versions.unsupported.ApproverStatusattribute), 193

is_overridden (workfront.versions.v40.ApproverStatusattribute), 30

is_owner (workfront.versions.unsupported.Endorsementattribute), 254

is_owner (workfront.versions.unsupported.UserGroupsattribute), 413

is_parent (workfront.versions.unsupported.CustomMenuattribute), 220

is_portal_profile_migrated (work-front.versions.unsupported.Customer attribute),226

is_portal_profile_migrated (work-front.versions.v40.Customer attribute), 43

is_primary (workfront.versions.unsupported.Assignmentattribute), 194

is_primary (workfront.versions.unsupported.Company at-tribute), 218

is_primary (workfront.versions.unsupported.CustomEnumattribute), 219

is_primary (workfront.versions.unsupported.TemplateAssignmentattribute), 382

is_primary (workfront.versions.v40.Assignment at-tribute), 31

is_primary (workfront.versions.v40.CustomEnum at-tribute), 41

is_primary (workfront.versions.v40.TemplateAssignmentattribute), 124

is_primary_admin (work-front.versions.unsupported.CustomerFeedbackattribute), 231

is_private (workfront.versions.unsupported.ApprovalProcessattribute), 191

is_private (workfront.versions.unsupported.Document at-tribute), 237

is_private (workfront.versions.unsupported.Note at-tribute), 301

is_private (workfront.versions.unsupported.RecentUpdateattribute), 342

is_private (workfront.versions.v40.ApprovalProcess at-tribute), 29

is_private (workfront.versions.v40.Document attribute),47

is_private (workfront.versions.v40.Note attribute), 76is_project_dead (workfront.versions.unsupported.Approval

attribute), 181is_project_dead (workfront.versions.unsupported.Project

attribute), 330is_proof_auto_genration_enabled() (work-

front.versions.unsupported.Document method),237

518 Index

python-workfront Documentation, Release 0.8.0

is_proof_automated (work-front.versions.unsupported.DocumentVersionattribute), 252

is_proofable (workfront.versions.unsupported.DocumentVersionattribute), 252

is_proofable (workfront.versions.v40.DocumentVersionattribute), 52

is_proofable() (workfront.versions.unsupported.Documentmethod), 237

is_proofer (workfront.versions.unsupported.DocumentShareattribute), 249

is_proofing_enabled (work-front.versions.unsupported.Customer attribute),226

is_public (workfront.versions.unsupported.CalendarInfoattribute), 210

is_public (workfront.versions.unsupported.Document at-tribute), 237

is_public (workfront.versions.unsupported.PortalSectionattribute), 313

is_public (workfront.versions.unsupported.PortalTab at-tribute), 316

is_public (workfront.versions.unsupported.QueueDef at-tribute), 337

is_public (workfront.versions.unsupported.ScoreCard at-tribute), 357

is_public (workfront.versions.unsupported.UIFilter at-tribute), 394

is_public (workfront.versions.unsupported.UIGroupByattribute), 396

is_public (workfront.versions.unsupported.UIView at-tribute), 398

is_public (workfront.versions.v40.Document attribute),47

is_public (workfront.versions.v40.QueueDef attribute),97

is_public (workfront.versions.v40.ScoreCard attribute),105

is_public (workfront.versions.v40.UIFilter attribute), 132is_public (workfront.versions.v40.UIGroupBy attribute),

134is_public (workfront.versions.v40.UIView attribute), 135is_ready (workfront.versions.unsupported.Approval at-

tribute), 181is_ready (workfront.versions.unsupported.Task attribute),

368is_ready (workfront.versions.unsupported.Work at-

tribute), 425is_ready (workfront.versions.v40.Approval attribute), 20is_ready (workfront.versions.v40.Task attribute), 114is_ready (workfront.versions.v40.Work attribute), 150is_recurring (workfront.versions.unsupported.TimesheetProfile

attribute), 393is_reimbursable (work-

front.versions.unsupported.Expense attribute),260

is_reimbursable (workfront.versions.v40.Expense at-tribute), 54

is_reimbursed (workfront.versions.unsupported.Expenseattribute), 260

is_reimbursed (workfront.versions.v40.Expense at-tribute), 54

is_reply (workfront.versions.unsupported.Note attribute),301

is_reply (workfront.versions.v40.Note attribute), 76is_report (workfront.versions.unsupported.PortalSection

attribute), 313is_report (workfront.versions.unsupported.UIFilter

attribute), 394is_report (workfront.versions.unsupported.UIGroupBy

attribute), 396is_report (workfront.versions.unsupported.UIView

attribute), 398is_report (workfront.versions.v40.UIFilter attribute), 132is_report (workfront.versions.v40.UIGroupBy attribute),

134is_report (workfront.versions.v40.UIView attribute), 135is_report_filterable() (work-

front.versions.unsupported.PortalSectionmethod), 313

is_required (workfront.versions.unsupported.CategoryParameterattribute), 216

is_required (workfront.versions.unsupported.Parameterattribute), 306

is_required (workfront.versions.v40.CategoryParameterattribute), 38

is_required (workfront.versions.v40.Parameter attribute),80

is_saved_search (work-front.versions.unsupported.UIFilter attribute),394

is_saved_search (workfront.versions.v40.UIFilter at-tribute), 132

is_search_enabled (work-front.versions.unsupported.Customer attribute),226

is_search_index_active (work-front.versions.unsupported.Customer attribute),226

is_share_point_authenticated (work-front.versions.unsupported.User attribute),406

is_share_point_authenticated (work-front.versions.v40.User attribute), 140

is_smart_folder() (work-front.versions.unsupported.DocumentFoldermethod), 243

is_soapenabled (workfront.versions.unsupported.Customer

Index 519

python-workfront Documentation, Release 0.8.0

attribute), 226is_soapenabled (workfront.versions.unsupported.LicenseOrder

attribute), 292is_soapenabled (workfront.versions.v40.Customer

attribute), 43is_split (workfront.versions.unsupported.FinancialData

attribute), 267is_split (workfront.versions.unsupported.ResourceAllocation

attribute), 345is_split (workfront.versions.v40.FinancialData attribute),

57is_split (workfront.versions.v40.ResourceAllocation at-

tribute), 100is_ssoenabled() (workfront.versions.unsupported.Customer

method), 226is_standalone (workfront.versions.unsupported.PortalSection

attribute), 313is_standard_issue_list (work-

front.versions.unsupported.Team attribute),374

is_standard_issue_list (workfront.versions.v40.Team at-tribute), 119

is_status_complete (work-front.versions.unsupported.Approval attribute),181

is_status_complete (work-front.versions.unsupported.Project attribute),330

is_status_complete (work-front.versions.unsupported.Task attribute),368

is_status_complete (work-front.versions.unsupported.Work attribute),425

is_system_handler (work-front.versions.unsupported.EventHandlerattribute), 257

is_team_assignment (work-front.versions.unsupported.Assignment at-tribute), 194

is_team_assignment (work-front.versions.unsupported.TemplateAssignmentattribute), 382

is_team_assignment (workfront.versions.v40.Assignmentattribute), 31

is_team_assignment (work-front.versions.v40.TemplateAssignmentattribute), 124

is_text (workfront.versions.unsupported.UIFilter at-tribute), 395

is_text (workfront.versions.unsupported.UIGroupBy at-tribute), 396

is_text (workfront.versions.unsupported.UIView at-tribute), 398

is_text (workfront.versions.v40.UIFilter attribute), 132is_text (workfront.versions.v40.UIGroupBy attribute),

134is_text (workfront.versions.v40.UIView attribute), 135is_top_level_folder (work-

front.versions.unsupported.LinkedFolderattribute), 294

is_unsupported_worker_license (work-front.versions.unsupported.AccessLevelattribute), 159

is_username_re_captcha_required() (work-front.versions.unsupported.User method),406

is_valid_update_note() (work-front.versions.unsupported.Update method),400

is_warning_disabled (work-front.versions.unsupported.Customer attribute),226

is_warning_disabled (workfront.versions.v40.Customerattribute), 43

is_web_damauthenticated (work-front.versions.unsupported.User attribute),406

is_web_damauthenticated (workfront.versions.v40.Userattribute), 140

is_whats_new_available() (work-front.versions.unsupported.WhatsNewmethod), 419

is_white_list_ipenabled (work-front.versions.unsupported.Customer attribute),226

is_work_required_locked (work-front.versions.unsupported.Approval attribute),181

is_work_required_locked (work-front.versions.unsupported.MasterTask at-tribute), 295

is_work_required_locked (work-front.versions.unsupported.Task attribute),368

is_work_required_locked (work-front.versions.unsupported.TemplateTaskattribute), 386

is_work_required_locked (work-front.versions.unsupported.Work attribute),425

is_work_required_locked (work-front.versions.v40.Approval attribute), 20

is_work_required_locked (workfront.versions.v40.Taskattribute), 114

is_work_required_locked (work-front.versions.v40.TemplateTask attribute),127

520 Index

python-workfront Documentation, Release 0.8.0

is_work_required_locked (workfront.versions.v40.Workattribute), 150

is_workfront_dam_enabled (work-front.versions.unsupported.Customer attribute),226

is_workfront_damauthenticated (work-front.versions.unsupported.User attribute),406

Issue (class in workfront.versions.unsupported), 274Issue (class in workfront.versions.v40), 61issue (workfront.versions.unsupported.DocumentFolder

attribute), 243issue (workfront.versions.v40.DocumentFolder attribute),

50issue_id (workfront.versions.unsupported.DocumentFolder

attribute), 243issue_id (workfront.versions.unsupported.RecentUpdate

attribute), 342issue_id (workfront.versions.v40.DocumentFolder

attribute), 50issue_name (workfront.versions.unsupported.RecentUpdate

attribute), 342Iteration (class in workfront.versions.unsupported), 282Iteration (class in workfront.versions.v40), 68iteration (workfront.versions.unsupported.Approval at-

tribute), 181iteration (workfront.versions.unsupported.Document at-

tribute), 237iteration (workfront.versions.unsupported.DocumentFolder

attribute), 243iteration (workfront.versions.unsupported.DocumentRequest

attribute), 247iteration (workfront.versions.unsupported.Note attribute),

302iteration (workfront.versions.unsupported.ParameterValue

attribute), 308iteration (workfront.versions.unsupported.Task attribute),

368iteration (workfront.versions.unsupported.Work at-

tribute), 425iteration (workfront.versions.v40.Approval attribute), 20iteration (workfront.versions.v40.Document attribute), 47iteration (workfront.versions.v40.DocumentFolder

attribute), 50iteration (workfront.versions.v40.Note attribute), 76iteration (workfront.versions.v40.Task attribute), 114iteration (workfront.versions.v40.Work attribute), 150iteration_id (workfront.versions.unsupported.Approval

attribute), 181iteration_id (workfront.versions.unsupported.Document

attribute), 237iteration_id (workfront.versions.unsupported.DocumentFolder

attribute), 243iteration_id (workfront.versions.unsupported.DocumentRequest

attribute), 247iteration_id (workfront.versions.unsupported.Note

attribute), 302iteration_id (workfront.versions.unsupported.RecentUpdate

attribute), 342iteration_id (workfront.versions.unsupported.Task at-

tribute), 368iteration_id (workfront.versions.unsupported.Work at-

tribute), 425iteration_id (workfront.versions.v40.Approval attribute),

20iteration_id (workfront.versions.v40.Document attribute),

47iteration_id (workfront.versions.v40.DocumentFolder at-

tribute), 50iteration_id (workfront.versions.v40.Note attribute), 76iteration_id (workfront.versions.v40.Task attribute), 114iteration_id (workfront.versions.v40.Work attribute), 150iteration_name (workfront.versions.unsupported.RecentUpdate

attribute), 342

Jjexl_expression (workfront.versions.unsupported.Feature

attribute), 267jexl_updated_date (work-

front.versions.unsupported.Feature attribute),267

journal_entries (workfront.versions.unsupported.AuditLoginAsSessionattribute), 196

journal_entry (workfront.versions.unsupported.Like at-tribute), 293

journal_entry (workfront.versions.unsupported.UserNoteattribute), 415

journal_entry (workfront.versions.v40.UserNote at-tribute), 144

journal_entry_id (workfront.versions.unsupported.Likeattribute), 293

journal_entry_id (work-front.versions.unsupported.UserNote attribute),415

journal_entry_id (workfront.versions.v40.UserNote at-tribute), 144

journal_field_limit (work-front.versions.unsupported.Customer attribute),226

journal_field_limit (workfront.versions.v40.Customer at-tribute), 43

journal_fields (workfront.versions.unsupported.Customerattribute), 226

JournalEntry (class in workfront.versions.unsupported),284

JournalEntry (class in workfront.versions.v40), 69JournalField (class in workfront.versions.unsupported),

287

Index 521

python-workfront Documentation, Release 0.8.0

Kkick_start_expoert_dashboards_limit (work-

front.versions.unsupported.Customer attribute),226

kick_start_expoert_reports_limit (work-front.versions.unsupported.Customer attribute),226

KickStart (class in workfront.versions.unsupported), 288

Llabel (workfront.versions.unsupported.CustomEnum at-

tribute), 219label (workfront.versions.unsupported.CustomMenu at-

tribute), 220label (workfront.versions.unsupported.ParameterOption

attribute), 308label (workfront.versions.unsupported.ScoreCardOption

attribute), 359label (workfront.versions.v40.CustomEnum attribute), 41label (workfront.versions.v40.ParameterOption attribute),

81label (workfront.versions.v40.ScoreCardOption at-

tribute), 107lag_days (workfront.versions.unsupported.Predecessor

attribute), 320lag_days (workfront.versions.unsupported.TemplatePredecessor

attribute), 383lag_days (workfront.versions.v40.Predecessor attribute),

83lag_days (workfront.versions.v40.TemplatePredecessor

attribute), 125lag_type (workfront.versions.unsupported.Predecessor

attribute), 320lag_type (workfront.versions.unsupported.TemplatePredecessor

attribute), 383lag_type (workfront.versions.v40.Predecessor attribute),

83lag_type (workfront.versions.v40.TemplatePredecessor

attribute), 125last_announcement (workfront.versions.v40.User at-

tribute), 140last_calc_date (workfront.versions.unsupported.Approval

attribute), 181last_calc_date (workfront.versions.unsupported.Project

attribute), 330last_calc_date (workfront.versions.v40.Approval at-

tribute), 20last_calc_date (workfront.versions.v40.Project attribute),

91last_condition_note (work-

front.versions.unsupported.Approval attribute),181

last_condition_note (work-front.versions.unsupported.Issue attribute),

277last_condition_note (work-

front.versions.unsupported.Project attribute),330

last_condition_note (work-front.versions.unsupported.Task attribute),368

last_condition_note (work-front.versions.unsupported.Work attribute),425

last_condition_note (workfront.versions.v40.Approval at-tribute), 20

last_condition_note (workfront.versions.v40.Issueattribute), 64

last_condition_note (workfront.versions.v40.Project at-tribute), 91

last_condition_note (workfront.versions.v40.Task at-tribute), 114

last_condition_note (workfront.versions.v40.Workattribute), 150

last_condition_note_id (work-front.versions.unsupported.Approval attribute),181

last_condition_note_id (work-front.versions.unsupported.Issue attribute),277

last_condition_note_id (work-front.versions.unsupported.Project attribute),330

last_condition_note_id (work-front.versions.unsupported.Task attribute),368

last_condition_note_id (work-front.versions.unsupported.Work attribute),425

last_condition_note_id (workfront.versions.v40.Approvalattribute), 20

last_condition_note_id (workfront.versions.v40.Issue at-tribute), 64

last_condition_note_id (workfront.versions.v40.Projectattribute), 91

last_condition_note_id (workfront.versions.v40.Task at-tribute), 114

last_condition_note_id (workfront.versions.v40.Work at-tribute), 150

last_entered_note (workfront.versions.unsupported.Userattribute), 406

last_entered_note (workfront.versions.v40.User at-tribute), 140

last_entered_note_id (work-front.versions.unsupported.User attribute),407

last_entered_note_id (workfront.versions.v40.Userattribute), 140

522 Index

python-workfront Documentation, Release 0.8.0

last_login_date (workfront.versions.unsupported.User at-tribute), 407

last_login_date (workfront.versions.v40.User attribute),141

last_mod_date (workfront.versions.unsupported.Documentattribute), 237

last_mod_date (workfront.versions.unsupported.DocumentFolderattribute), 243

last_mod_date (workfront.versions.v40.Documentattribute), 47

last_name (workfront.versions.unsupported.AccountRepattribute), 166

last_name (workfront.versions.unsupported.User at-tribute), 407

last_name (workfront.versions.v40.User attribute), 141last_note (workfront.versions.unsupported.Approval at-

tribute), 181last_note (workfront.versions.unsupported.Document at-

tribute), 237last_note (workfront.versions.unsupported.Issue at-

tribute), 277last_note (workfront.versions.unsupported.MasterTask

attribute), 295last_note (workfront.versions.unsupported.Project at-

tribute), 330last_note (workfront.versions.unsupported.Task at-

tribute), 368last_note (workfront.versions.unsupported.Template at-

tribute), 379last_note (workfront.versions.unsupported.TemplateTask

attribute), 386last_note (workfront.versions.unsupported.Timesheet at-

tribute), 391last_note (workfront.versions.unsupported.User at-

tribute), 407last_note (workfront.versions.unsupported.Work at-

tribute), 425last_note (workfront.versions.v40.Approval attribute), 20last_note (workfront.versions.v40.Document attribute),

47last_note (workfront.versions.v40.Issue attribute), 64last_note (workfront.versions.v40.Project attribute), 91last_note (workfront.versions.v40.Task attribute), 114last_note (workfront.versions.v40.Template attribute),

123last_note (workfront.versions.v40.TemplateTask at-

tribute), 127last_note (workfront.versions.v40.Timesheet attribute),

131last_note (workfront.versions.v40.User attribute), 141last_note (workfront.versions.v40.Work attribute), 150last_note_id (workfront.versions.unsupported.Approval

attribute), 181last_note_id (workfront.versions.unsupported.Document

attribute), 237last_note_id (workfront.versions.unsupported.Issue at-

tribute), 277last_note_id (workfront.versions.unsupported.MasterTask

attribute), 295last_note_id (workfront.versions.unsupported.Project at-

tribute), 330last_note_id (workfront.versions.unsupported.Task

attribute), 368last_note_id (workfront.versions.unsupported.Template

attribute), 379last_note_id (workfront.versions.unsupported.TemplateTask

attribute), 386last_note_id (workfront.versions.unsupported.Timesheet

attribute), 391last_note_id (workfront.versions.unsupported.User

attribute), 407last_note_id (workfront.versions.unsupported.Work at-

tribute), 425last_note_id (workfront.versions.v40.Approval attribute),

20last_note_id (workfront.versions.v40.Document at-

tribute), 47last_note_id (workfront.versions.v40.Issue attribute), 64last_note_id (workfront.versions.v40.Project attribute),

91last_note_id (workfront.versions.v40.Task attribute), 114last_note_id (workfront.versions.v40.Template attribute),

123last_note_id (workfront.versions.v40.TemplateTask at-

tribute), 127last_note_id (workfront.versions.v40.Timesheet at-

tribute), 131last_note_id (workfront.versions.v40.User attribute), 141last_note_id (workfront.versions.v40.Work attribute), 150last_refresh_date (work-

front.versions.unsupported.SandboxMigrationattribute), 352

last_refresh_duration (work-front.versions.unsupported.SandboxMigrationattribute), 352

last_remind_date (work-front.versions.unsupported.AccessRequestattribute), 161

last_remind_date (work-front.versions.unsupported.Customer attribute),226

last_remind_date (workfront.versions.v40.Customer at-tribute), 43

last_runtime_milliseconds (work-front.versions.unsupported.ScheduledReportattribute), 355

last_sent_date (workfront.versions.unsupported.Announcementattribute), 168

Index 523

python-workfront Documentation, Release 0.8.0

last_sent_date (workfront.versions.unsupported.ScheduledReportattribute), 355

last_status_note (workfront.versions.unsupported.Userattribute), 407

last_status_note (workfront.versions.v40.User attribute),141

last_sync_date (workfront.versions.unsupported.Documentattribute), 237

last_sync_date (workfront.versions.unsupported.LinkedFolderattribute), 294

last_update (workfront.versions.unsupported.AppInfo at-tribute), 172

last_update_date (work-front.versions.unsupported.AccessRequestattribute), 161

last_update_date (work-front.versions.unsupported.Approval attribute),181

last_update_date (work-front.versions.unsupported.ApprovalProcessattribute), 191

last_update_date (work-front.versions.unsupported.Branding attribute),207

last_update_date (work-front.versions.unsupported.Category attribute),214

last_update_date (work-front.versions.unsupported.Company attribute),218

last_update_date (work-front.versions.unsupported.Document at-tribute), 238

last_update_date (work-front.versions.unsupported.DocumentShareattribute), 249

last_update_date (work-front.versions.unsupported.EndorsementShareattribute), 256

last_update_date (work-front.versions.unsupported.EventSubscriptionattribute), 258

last_update_date (work-front.versions.unsupported.Expense attribute),260

last_update_date (workfront.versions.unsupported.Hourattribute), 270

last_update_date (workfront.versions.unsupported.Issueattribute), 277

last_update_date (work-front.versions.unsupported.Iteration attribute),283

last_update_date (work-front.versions.unsupported.LayoutTemplate

attribute), 290last_update_date (work-

front.versions.unsupported.MasterTask at-tribute), 295

last_update_date (work-front.versions.unsupported.Parameter at-tribute), 307

last_update_date (work-front.versions.unsupported.ParameterGroupattribute), 307

last_update_date (work-front.versions.unsupported.PortalSectionattribute), 313

last_update_date (work-front.versions.unsupported.PortalTab attribute),316

last_update_date (work-front.versions.unsupported.Portfolio attribute),319

last_update_date (work-front.versions.unsupported.Program attribute),321

last_update_date (work-front.versions.unsupported.Project attribute),330

last_update_date (work-front.versions.unsupported.ScoreCard at-tribute), 357

last_update_date (workfront.versions.unsupported.Taskattribute), 368

last_update_date (work-front.versions.unsupported.Template attribute),379

last_update_date (work-front.versions.unsupported.TemplateTaskattribute), 386

last_update_date (work-front.versions.unsupported.Timesheet at-tribute), 391

last_update_date (work-front.versions.unsupported.UIFilter attribute),395

last_update_date (work-front.versions.unsupported.UIGroupBy at-tribute), 396

last_update_date (work-front.versions.unsupported.UIView attribute),398

last_update_date (workfront.versions.unsupported.Userattribute), 407

last_update_date (work-front.versions.unsupported.UserActivityattribute), 411

last_update_date (work-

524 Index

python-workfront Documentation, Release 0.8.0

front.versions.unsupported.UserObjectPrefattribute), 416

last_update_date (workfront.versions.unsupported.Workattribute), 426

last_update_date (workfront.versions.v40.Approval at-tribute), 21

last_update_date (work-front.versions.v40.ApprovalProcess attribute),29

last_update_date (workfront.versions.v40.Category at-tribute), 38

last_update_date (workfront.versions.v40.Company at-tribute), 40

last_update_date (workfront.versions.v40.Document at-tribute), 47

last_update_date (workfront.versions.v40.Expenseattribute), 54

last_update_date (workfront.versions.v40.Hour attribute),59

last_update_date (workfront.versions.v40.Issue attribute),64

last_update_date (workfront.versions.v40.Iterationattribute), 69

last_update_date (work-front.versions.v40.LayoutTemplate attribute),73

last_update_date (workfront.versions.v40.Parameter at-tribute), 80

last_update_date (work-front.versions.v40.ParameterGroup attribute),80

last_update_date (workfront.versions.v40.Portfolio at-tribute), 82

last_update_date (workfront.versions.v40.Programattribute), 84

last_update_date (workfront.versions.v40.Project at-tribute), 91

last_update_date (workfront.versions.v40.ScoreCard at-tribute), 106

last_update_date (workfront.versions.v40.Task attribute),114

last_update_date (workfront.versions.v40.Template at-tribute), 123

last_update_date (workfront.versions.v40.TemplateTaskattribute), 127

last_update_date (workfront.versions.v40.Timesheet at-tribute), 131

last_update_date (workfront.versions.v40.UIFilterattribute), 132

last_update_date (workfront.versions.v40.UIGroupBy at-tribute), 134

last_update_date (workfront.versions.v40.UIView at-tribute), 135

last_update_date (workfront.versions.v40.User attribute),

141last_update_date (workfront.versions.v40.UserActivity

attribute), 144last_update_date (workfront.versions.v40.Work at-

tribute), 150last_updated_by (work-

front.versions.unsupported.AccessLevelattribute), 159

last_updated_by (work-front.versions.unsupported.Approval attribute),181

last_updated_by (work-front.versions.unsupported.ApprovalProcessattribute), 191

last_updated_by (work-front.versions.unsupported.Category attribute),214

last_updated_by (work-front.versions.unsupported.Company attribute),218

last_updated_by (work-front.versions.unsupported.Document at-tribute), 238

last_updated_by (work-front.versions.unsupported.DocumentShareattribute), 249

last_updated_by (work-front.versions.unsupported.EndorsementShareattribute), 256

last_updated_by (work-front.versions.unsupported.Expense attribute),260

last_updated_by (workfront.versions.unsupported.Hourattribute), 270

last_updated_by (workfront.versions.unsupported.Issueattribute), 277

last_updated_by (work-front.versions.unsupported.Iteration attribute),283

last_updated_by (work-front.versions.unsupported.LayoutTemplateattribute), 290

last_updated_by (work-front.versions.unsupported.MasterTask at-tribute), 296

last_updated_by (work-front.versions.unsupported.Parameter at-tribute), 307

last_updated_by (work-front.versions.unsupported.ParameterGroupattribute), 307

last_updated_by (work-front.versions.unsupported.PortalSectionattribute), 313

Index 525

python-workfront Documentation, Release 0.8.0

last_updated_by (work-front.versions.unsupported.PortalTab attribute),316

last_updated_by (work-front.versions.unsupported.Portfolio attribute),319

last_updated_by (work-front.versions.unsupported.Program attribute),321

last_updated_by (workfront.versions.unsupported.Projectattribute), 330

last_updated_by (work-front.versions.unsupported.ScoreCard at-tribute), 357

last_updated_by (workfront.versions.unsupported.Taskattribute), 368

last_updated_by (work-front.versions.unsupported.Template attribute),379

last_updated_by (work-front.versions.unsupported.TemplateTaskattribute), 386

last_updated_by (work-front.versions.unsupported.Timesheet at-tribute), 391

last_updated_by (work-front.versions.unsupported.UIFilter attribute),395

last_updated_by (work-front.versions.unsupported.UIGroupBy at-tribute), 396

last_updated_by (work-front.versions.unsupported.UIView attribute),398

last_updated_by (workfront.versions.unsupported.Userattribute), 407

last_updated_by (workfront.versions.unsupported.Workattribute), 426

last_updated_by (workfront.versions.v40.Approval at-tribute), 21

last_updated_by (work-front.versions.v40.ApprovalProcess attribute),29

last_updated_by (workfront.versions.v40.Categoryattribute), 38

last_updated_by (workfront.versions.v40.Company at-tribute), 40

last_updated_by (workfront.versions.v40.Document at-tribute), 47

last_updated_by (workfront.versions.v40.Expenseattribute), 54

last_updated_by (workfront.versions.v40.Hour attribute),59

last_updated_by (workfront.versions.v40.Issue attribute),

64last_updated_by (workfront.versions.v40.Iteration

attribute), 69last_updated_by (work-

front.versions.v40.LayoutTemplate attribute),73

last_updated_by (workfront.versions.v40.Parameter at-tribute), 80

last_updated_by (work-front.versions.v40.ParameterGroup attribute),80

last_updated_by (workfront.versions.v40.Portfolioattribute), 82

last_updated_by (workfront.versions.v40.Programattribute), 84

last_updated_by (workfront.versions.v40.Project at-tribute), 91

last_updated_by (workfront.versions.v40.ScoreCard at-tribute), 106

last_updated_by (workfront.versions.v40.Task attribute),114

last_updated_by (workfront.versions.v40.Template at-tribute), 123

last_updated_by (workfront.versions.v40.TemplateTaskattribute), 127

last_updated_by (workfront.versions.v40.Timesheet at-tribute), 131

last_updated_by (workfront.versions.v40.UIFilter at-tribute), 132

last_updated_by (workfront.versions.v40.UIGroupBy at-tribute), 134

last_updated_by (workfront.versions.v40.UIView at-tribute), 135

last_updated_by (workfront.versions.v40.User attribute),141

last_updated_by (workfront.versions.v40.Work attribute),150

last_updated_by_id (work-front.versions.unsupported.AccessLevelattribute), 159

last_updated_by_id (work-front.versions.unsupported.Approval attribute),181

last_updated_by_id (work-front.versions.unsupported.ApprovalProcessattribute), 191

last_updated_by_id (work-front.versions.unsupported.Category attribute),214

last_updated_by_id (work-front.versions.unsupported.Company attribute),218

last_updated_by_id (work-front.versions.unsupported.Document at-

526 Index

python-workfront Documentation, Release 0.8.0

tribute), 238last_updated_by_id (work-

front.versions.unsupported.DocumentShareattribute), 249

last_updated_by_id (work-front.versions.unsupported.EndorsementShareattribute), 256

last_updated_by_id (work-front.versions.unsupported.Expense attribute),260

last_updated_by_id (work-front.versions.unsupported.Hour attribute),270

last_updated_by_id (work-front.versions.unsupported.Issue attribute),277

last_updated_by_id (work-front.versions.unsupported.Iteration attribute),283

last_updated_by_id (work-front.versions.unsupported.LayoutTemplateattribute), 290

last_updated_by_id (work-front.versions.unsupported.MasterTask at-tribute), 296

last_updated_by_id (work-front.versions.unsupported.Parameter at-tribute), 307

last_updated_by_id (work-front.versions.unsupported.ParameterGroupattribute), 307

last_updated_by_id (work-front.versions.unsupported.PortalSectionattribute), 313

last_updated_by_id (work-front.versions.unsupported.PortalTab attribute),316

last_updated_by_id (work-front.versions.unsupported.Portfolio attribute),319

last_updated_by_id (work-front.versions.unsupported.Program attribute),321

last_updated_by_id (work-front.versions.unsupported.Project attribute),330

last_updated_by_id (work-front.versions.unsupported.ScoreCard at-tribute), 357

last_updated_by_id (work-front.versions.unsupported.Task attribute),368

last_updated_by_id (work-front.versions.unsupported.Template attribute),

379last_updated_by_id (work-

front.versions.unsupported.TemplateTaskattribute), 386

last_updated_by_id (work-front.versions.unsupported.Timesheet at-tribute), 391

last_updated_by_id (work-front.versions.unsupported.UIFilter attribute),395

last_updated_by_id (work-front.versions.unsupported.UIGroupBy at-tribute), 396

last_updated_by_id (work-front.versions.unsupported.UIView attribute),398

last_updated_by_id (work-front.versions.unsupported.User attribute),407

last_updated_by_id (work-front.versions.unsupported.Work attribute),426

last_updated_by_id (workfront.versions.v40.Approval at-tribute), 21

last_updated_by_id (work-front.versions.v40.ApprovalProcess attribute),29

last_updated_by_id (workfront.versions.v40.Category at-tribute), 38

last_updated_by_id (workfront.versions.v40.Companyattribute), 40

last_updated_by_id (workfront.versions.v40.Documentattribute), 47

last_updated_by_id (workfront.versions.v40.Expense at-tribute), 54

last_updated_by_id (workfront.versions.v40.Hour at-tribute), 59

last_updated_by_id (workfront.versions.v40.Issue at-tribute), 64

last_updated_by_id (workfront.versions.v40.Iteration at-tribute), 69

last_updated_by_id (work-front.versions.v40.LayoutTemplate attribute),73

last_updated_by_id (workfront.versions.v40.Parameterattribute), 80

last_updated_by_id (work-front.versions.v40.ParameterGroup attribute),80

last_updated_by_id (workfront.versions.v40.Portfolio at-tribute), 82

last_updated_by_id (workfront.versions.v40.Program at-tribute), 84

last_updated_by_id (workfront.versions.v40.Project at-

Index 527

python-workfront Documentation, Release 0.8.0

tribute), 91last_updated_by_id (workfront.versions.v40.ScoreCard

attribute), 106last_updated_by_id (workfront.versions.v40.Task at-

tribute), 114last_updated_by_id (workfront.versions.v40.Template at-

tribute), 123last_updated_by_id (work-

front.versions.v40.TemplateTask attribute),127

last_updated_by_id (workfront.versions.v40.Timesheetattribute), 131

last_updated_by_id (workfront.versions.v40.UIFilter at-tribute), 133

last_updated_by_id (workfront.versions.v40.UIGroupByattribute), 134

last_updated_by_id (workfront.versions.v40.UIView at-tribute), 135

last_updated_by_id (workfront.versions.v40.User at-tribute), 141

last_updated_by_id (workfront.versions.v40.Workattribute), 150

last_updated_date (work-front.versions.unsupported.AccessLevelattribute), 159

last_updated_on_date (work-front.versions.unsupported.RecentUpdateattribute), 342

last_usage_report_date (work-front.versions.unsupported.Customer attribute),226

last_usage_report_date (work-front.versions.v40.Customer attribute), 43

last_viewed_date (work-front.versions.unsupported.Recent attribute),340

last_viewed_date (work-front.versions.unsupported.WorkItem at-tribute), 432

last_viewed_date (workfront.versions.v40.WorkItem at-tribute), 156

last_whats_new (workfront.versions.unsupported.Userattribute), 407

last_whats_new (workfront.versions.v40.User attribute),141

lastname (workfront.versions.unsupported.Customer at-tribute), 227

lastname (workfront.versions.v40.Customer attribute), 43latest_comment (workfront.versions.unsupported.RecentUpdate

attribute), 342latest_comment_author_id (work-

front.versions.unsupported.RecentUpdateattribute), 342

latest_comment_author_name (work-

front.versions.unsupported.RecentUpdateattribute), 342

latest_comment_entry_date (work-front.versions.unsupported.RecentUpdateattribute), 342

latest_comment_id (work-front.versions.unsupported.RecentUpdateattribute), 342

latest_update_note (workfront.versions.unsupported.Userattribute), 407

latest_update_note (workfront.versions.v40.User at-tribute), 141

latest_update_note_id (work-front.versions.unsupported.User attribute),407

latest_update_note_id (workfront.versions.v40.User at-tribute), 141

layout_template (work-front.versions.unsupported.LayoutTemplateCardattribute), 291

layout_template (work-front.versions.unsupported.LayoutTemplateDatePreferenceattribute), 292

layout_template (work-front.versions.unsupported.LayoutTemplatePageattribute), 292

layout_template (workfront.versions.unsupported.Roleattribute), 348

layout_template (workfront.versions.unsupported.Teamattribute), 374

layout_template (workfront.versions.unsupported.Userattribute), 407

layout_template (workfront.versions.v40.Role attribute),102

layout_template (workfront.versions.v40.Team attribute),120

layout_template (workfront.versions.v40.User attribute),141

layout_template_cards (work-front.versions.unsupported.LayoutTemplateattribute), 290

layout_template_date_preferences (work-front.versions.unsupported.LayoutTemplateattribute), 290

layout_template_id (work-front.versions.unsupported.LayoutTemplateCardattribute), 291

layout_template_id (work-front.versions.unsupported.LayoutTemplateDatePreferenceattribute), 292

layout_template_id (work-front.versions.unsupported.LayoutTemplatePageattribute), 292

layout_template_id (work-

528 Index

python-workfront Documentation, Release 0.8.0

front.versions.unsupported.Role attribute),348

layout_template_id (work-front.versions.unsupported.Team attribute),374

layout_template_id (work-front.versions.unsupported.User attribute),407

layout_template_id (workfront.versions.v40.Role at-tribute), 103

layout_template_id (workfront.versions.v40.Teamattribute), 120

layout_template_id (workfront.versions.v40.User at-tribute), 141

layout_template_pages (work-front.versions.unsupported.LayoutTemplateattribute), 290

layout_templates (work-front.versions.unsupported.AppGlobal at-tribute), 172

layout_templates (work-front.versions.unsupported.Customer attribute),227

layout_templates (workfront.versions.v40.Customer at-tribute), 43

layout_type (workfront.versions.unsupported.UIView at-tribute), 398

layout_type (workfront.versions.v40.UIView attribute),135

LayoutTemplate (class in work-front.versions.unsupported), 288

LayoutTemplate (class in workfront.versions.v40), 72LayoutTemplateCard (class in work-

front.versions.unsupported), 291LayoutTemplateDatePreference (class in work-

front.versions.unsupported), 291LayoutTemplatePage (class in work-

front.versions.unsupported), 292legacy_access_level_id (work-

front.versions.unsupported.AccessLevelattribute), 159

legacy_burndown_info_with_percentage() (work-front.versions.unsupported.Iteration method),283

legacy_burndown_info_with_points() (work-front.versions.unsupported.Iteration method),283

legacy_diagnostics() (work-front.versions.unsupported.AccessLevelmethod), 160

length (workfront.versions.unsupported.NoteTag at-tribute), 304

length (workfront.versions.v40.NoteTag attribute), 79leveling_mode (workfront.versions.unsupported.Approval

attribute), 181leveling_mode (workfront.versions.unsupported.Project

attribute), 330leveling_mode (workfront.versions.unsupported.Template

attribute), 379leveling_mode (workfront.versions.v40.Approval at-

tribute), 21leveling_mode (workfront.versions.v40.Project attribute),

91leveling_start_delay (work-

front.versions.unsupported.Approval attribute),181

leveling_start_delay (work-front.versions.unsupported.Task attribute),368

leveling_start_delay (work-front.versions.unsupported.TemplateTaskattribute), 386

leveling_start_delay (work-front.versions.unsupported.Work attribute),426

leveling_start_delay (workfront.versions.v40.Approvalattribute), 21

leveling_start_delay (workfront.versions.v40.Taskattribute), 114

leveling_start_delay (work-front.versions.v40.TemplateTask attribute),128

leveling_start_delay (workfront.versions.v40.Work at-tribute), 150

leveling_start_delay_expression (work-front.versions.unsupported.Approval attribute),181

leveling_start_delay_expression (work-front.versions.unsupported.Task attribute),368

leveling_start_delay_expression (work-front.versions.unsupported.Work attribute),426

leveling_start_delay_expression (work-front.versions.v40.Approval attribute), 21

leveling_start_delay_expression (work-front.versions.v40.Task attribute), 114

leveling_start_delay_expression (work-front.versions.v40.Work attribute), 150

leveling_start_delay_minutes (work-front.versions.unsupported.Approval attribute),181

leveling_start_delay_minutes (work-front.versions.unsupported.Task attribute),368

leveling_start_delay_minutes (work-front.versions.unsupported.TemplateTaskattribute), 386

Index 529

python-workfront Documentation, Release 0.8.0

leveling_start_delay_minutes (work-front.versions.unsupported.Work attribute),426

leveling_start_delay_minutes (work-front.versions.v40.Approval attribute), 21

leveling_start_delay_minutes (work-front.versions.v40.Task attribute), 114

leveling_start_delay_minutes (work-front.versions.v40.TemplateTask attribute),128

leveling_start_delay_minutes (work-front.versions.v40.Work attribute), 150

license_orders (workfront.versions.unsupported.Customerattribute), 227

license_type (workfront.versions.unsupported.AccessLevelattribute), 160

license_type (workfront.versions.unsupported.CustomerFeedbackattribute), 231

license_type (workfront.versions.unsupported.LayoutTemplateattribute), 290

license_type (workfront.versions.unsupported.User at-tribute), 407

license_type (workfront.versions.v40.LayoutTemplate at-tribute), 73

license_type (workfront.versions.v40.User attribute), 141LicenseOrder (class in workfront.versions.unsupported),

292Like (class in workfront.versions.unsupported), 293like (workfront.versions.unsupported.UserNote attribute),

415like() (workfront.versions.unsupported.Endorsement

method), 254like() (workfront.versions.unsupported.JournalEntry

method), 286like() (workfront.versions.unsupported.Note method),

302like() (workfront.versions.v40.JournalEntry method), 71like() (workfront.versions.v40.Note method), 77like_id (workfront.versions.unsupported.UserNote

attribute), 415like_id (workfront.versions.v40.UserNote attribute), 144limit_non_view_external (work-

front.versions.unsupported.MetaRecord at-tribute), 297

limit_non_view_hd (work-front.versions.unsupported.MetaRecord at-tribute), 297

limit_non_view_review (work-front.versions.unsupported.MetaRecord at-tribute), 297

limit_non_view_team (work-front.versions.unsupported.MetaRecord at-tribute), 297

limit_non_view_ts (work-

front.versions.unsupported.MetaRecord at-tribute), 297

limited_actions (workfront.versions.unsupported.MetaRecordattribute), 297

limited_users (workfront.versions.unsupported.Customerattribute), 227

limited_users (workfront.versions.unsupported.LicenseOrderattribute), 293

limited_users (workfront.versions.v40.Customer at-tribute), 43

link_customer() (work-front.versions.unsupported.PortalSectionmethod), 313

linked_by (workfront.versions.unsupported.LinkedFolderattribute), 294

linked_by_id (workfront.versions.unsupported.LinkedFolderattribute), 294

linked_date (workfront.versions.unsupported.LinkedFolderattribute), 294

linked_folder (workfront.versions.unsupported.DocumentFolderattribute), 243

linked_folder_id (work-front.versions.unsupported.DocumentFolderattribute), 243

linked_portal_tabs (workfront.versions.unsupported.Userattribute), 407

linked_roles (workfront.versions.unsupported.LayoutTemplateattribute), 290

linked_roles (workfront.versions.unsupported.PortalSectionattribute), 313

linked_roles (workfront.versions.unsupported.PortalTabattribute), 316

linked_roles (workfront.versions.unsupported.UIFilter at-tribute), 395

linked_roles (workfront.versions.unsupported.UIGroupByattribute), 396

linked_roles (workfront.versions.unsupported.UIView at-tribute), 398

linked_roles (workfront.versions.v40.LayoutTemplate at-tribute), 73

linked_roles (workfront.versions.v40.UIFilter attribute),133

linked_roles (workfront.versions.v40.UIGroupBy at-tribute), 134

linked_roles (workfront.versions.v40.UIView attribute),136

linked_teams (workfront.versions.unsupported.LayoutTemplateattribute), 290

linked_teams (workfront.versions.unsupported.PortalSectionattribute), 313

linked_teams (workfront.versions.unsupported.PortalTabattribute), 316

linked_teams (workfront.versions.unsupported.UIFilterattribute), 395

530 Index

python-workfront Documentation, Release 0.8.0

linked_teams (workfront.versions.unsupported.UIGroupByattribute), 396

linked_teams (workfront.versions.unsupported.UIViewattribute), 398

linked_teams (workfront.versions.v40.LayoutTemplateattribute), 73

linked_teams (workfront.versions.v40.UIFilter attribute),133

linked_teams (workfront.versions.v40.UIGroupByattribute), 134

linked_teams (workfront.versions.v40.UIView attribute),136

linked_users (workfront.versions.unsupported.LayoutTemplateattribute), 290

linked_users (workfront.versions.unsupported.PortalSectionattribute), 313

linked_users (workfront.versions.unsupported.PortalTabattribute), 316

linked_users (workfront.versions.unsupported.UIFilterattribute), 395

linked_users (workfront.versions.unsupported.UIGroupByattribute), 396

linked_users (workfront.versions.unsupported.UIView at-tribute), 398

linked_users (workfront.versions.v40.LayoutTemplate at-tribute), 73

linked_users (workfront.versions.v40.UIFilter attribute),133

linked_users (workfront.versions.v40.UIGroupBy at-tribute), 134

linked_users (workfront.versions.v40.UIView attribute),136

LinkedFolder (class in workfront.versions.unsupported),293

list_auto_refresh_interval_seconds (work-front.versions.unsupported.Customer attribute),227

load() (workfront.meta.Object method), 12load() (workfront.Session method), 10load_external_browse_location() (work-

front.versions.unsupported.ExternalDocumentmethod), 263

load_metadata_for_document() (work-front.versions.unsupported.DocumentProviderMetadatamethod), 246

locale (workfront.versions.unsupported.Customer at-tribute), 227

locale (workfront.versions.unsupported.User attribute),407

locale (workfront.versions.unsupported.WhatsNew at-tribute), 420

locale (workfront.versions.v40.Customer attribute), 43locale (workfront.versions.v40.User attribute), 141location (workfront.versions.unsupported.DocumentVersion

attribute), 252login() (workfront.Session method), 10login_count (workfront.versions.unsupported.User

attribute), 407login_count (workfront.versions.v40.User attribute), 141login_with_user_name() (work-

front.versions.unsupported.Authenticationmethod), 197

login_with_user_name_and_password() (work-front.versions.unsupported.Authenticationmethod), 197

logout() (workfront.Session method), 10logout() (workfront.versions.unsupported.Authentication

method), 198lucid_migration_date (work-

front.versions.unsupported.Approval attribute),182

lucid_migration_date (work-front.versions.unsupported.Customer attribute),227

lucid_migration_date (work-front.versions.unsupported.Project attribute),330

lucid_migration_mode (work-front.versions.unsupported.Customer attribute),227

lucid_migration_options (work-front.versions.unsupported.Customer attribute),227

lucid_migration_status (work-front.versions.unsupported.Customer attribute),227

lucid_migration_step (work-front.versions.unsupported.Customer attribute),227

Mmake_top_priority() (work-

front.versions.unsupported.WorkItem method),432

manager (workfront.versions.unsupported.User attribute),407

manager (workfront.versions.v40.User attribute), 141manager_approval (work-

front.versions.unsupported.TimesheetProfileattribute), 393

manager_id (workfront.versions.unsupported.Userattribute), 407

manager_id (workfront.versions.v40.User attribute), 141mapping (workfront.versions.unsupported.DocumentProviderMetadata

attribute), 247mapping_rules (workfront.versions.unsupported.SSOMapping

attribute), 350

Index 531

python-workfront Documentation, Release 0.8.0

mark_deleted() (workfront.versions.unsupported.UserNotemethod), 415

mark_done() (workfront.versions.unsupported.Issuemethod), 278

mark_done() (workfront.versions.unsupported.Taskmethod), 368

mark_done() (workfront.versions.v40.Issue method), 64mark_done() (workfront.versions.v40.Task method), 115mark_not_done() (workfront.versions.unsupported.Issue

method), 278mark_not_done() (workfront.versions.unsupported.Task

method), 368mark_not_done() (workfront.versions.v40.Issue method),

64mark_not_done() (workfront.versions.v40.Task method),

115mark_viewed() (workfront.versions.unsupported.WorkItem

method), 432mark_viewed() (workfront.versions.v40.WorkItem

method), 156marked_deleted_date (work-

front.versions.unsupported.UserNote attribute),415

master_task (workfront.versions.unsupported.Approvalattribute), 182

master_task (workfront.versions.unsupported.Documentattribute), 238

master_task (workfront.versions.unsupported.DocumentRequestattribute), 247

master_task (workfront.versions.unsupported.Expense at-tribute), 260

master_task (workfront.versions.unsupported.NotificationRecordattribute), 305

master_task (workfront.versions.unsupported.ParameterValueattribute), 308

master_task (workfront.versions.unsupported.Taskattribute), 368

master_task (workfront.versions.unsupported.TemplateAssignmentattribute), 382

master_task (workfront.versions.unsupported.TemplateTaskattribute), 386

master_task (workfront.versions.unsupported.Work at-tribute), 426

master_task_id (workfront.versions.unsupported.Approvalattribute), 182

master_task_id (workfront.versions.unsupported.Documentattribute), 238

master_task_id (workfront.versions.unsupported.DocumentRequestattribute), 247

master_task_id (workfront.versions.unsupported.Expenseattribute), 260

master_task_id (workfront.versions.unsupported.NotificationRecordattribute), 305

master_task_id (workfront.versions.unsupported.ParameterValue

attribute), 308master_task_id (workfront.versions.unsupported.Task at-

tribute), 368master_task_id (workfront.versions.unsupported.TemplateAssignment

attribute), 382master_task_id (workfront.versions.unsupported.TemplateTask

attribute), 386master_task_id (workfront.versions.unsupported.Work

attribute), 426master_task_id (workfront.versions.v40.Approval at-

tribute), 21master_task_id (workfront.versions.v40.Document

attribute), 47master_task_id (workfront.versions.v40.Expense at-

tribute), 54master_task_id (workfront.versions.v40.Task attribute),

115master_task_id (workfront.versions.v40.TemplateAssignment

attribute), 124master_task_id (workfront.versions.v40.TemplateTask at-

tribute), 128master_task_id (workfront.versions.v40.Work attribute),

150MasterTask (class in workfront.versions.unsupported),

294match_type (workfront.versions.unsupported.CategoryCascadeRuleMatch

attribute), 216matching_rule (workfront.versions.unsupported.SSOMappingRule

attribute), 350max_progress (workfront.versions.unsupported.BackgroundJob

attribute), 202max_results (workfront.versions.unsupported.PortalSection

attribute), 313max_users (workfront.versions.unsupported.Role at-

tribute), 349max_users (workfront.versions.v40.Role attribute), 103menu_obj_code (work-

front.versions.unsupported.CustomMenuattribute), 220

message (workfront.versions.unsupported.AccessRequestattribute), 161

message (workfront.versions.unsupported.Update at-tribute), 400

message (workfront.versions.v40.Update attribute), 137message_args (workfront.versions.unsupported.Update

attribute), 400message_args (workfront.versions.v40.Update attribute),

137message_key (workfront.versions.unsupported.MetaRecord

attribute), 298MessageArg (class in workfront.versions.unsupported),

296MessageArg (class in workfront.versions.v40), 73messages (workfront.versions.unsupported.User at-

532 Index

python-workfront Documentation, Release 0.8.0

tribute), 407messages (workfront.versions.v40.User attribute), 141meta_records (workfront.versions.unsupported.AppGlobal

attribute), 172MetaRecord (class in workfront.versions.unsupported),

297method_name (workfront.versions.unsupported.PortalSection

attribute), 313migrate_custom_tab_user_prefs() (work-

front.versions.unsupported.PortalTab method),316

migrate_journal_field_wild_card() (work-front.versions.unsupported.BackgroundJobmethod), 202

migrate_now() (workfront.versions.unsupported.SandboxMigrationmethod), 352

migrate_portal_profile() (work-front.versions.unsupported.LayoutTemplatemethod), 290

migrate_portal_sections_ppmto_anaconda() (work-front.versions.unsupported.PortalSectionmethod), 313

migrate_ppmto_anaconda() (work-front.versions.unsupported.BackgroundJobmethod), 202

migrate_to_lucid_security() (work-front.versions.unsupported.Customer method),227

migrate_uiviews_ppmto_anaconda() (work-front.versions.unsupported.UIView method),399

migrate_users_ppmto_anaconda() (work-front.versions.unsupported.User method),408

migrate_wild_card_journal_fields() (work-front.versions.unsupported.JournalFieldmethod), 288

migration_date (workfront.versions.unsupported.S3Migrationattribute), 350

migration_estimate() (work-front.versions.unsupported.SandboxMigrationmethod), 352

migration_queue_duration() (work-front.versions.unsupported.SandboxMigrationmethod), 353

Milestone (class in workfront.versions.unsupported), 298Milestone (class in workfront.versions.v40), 74milestone (workfront.versions.unsupported.Approval at-

tribute), 182milestone (workfront.versions.unsupported.CalendarSection

attribute), 211milestone (workfront.versions.unsupported.MasterTask

attribute), 296milestone (workfront.versions.unsupported.Task at-

tribute), 368milestone (workfront.versions.unsupported.TemplateTask

attribute), 386milestone (workfront.versions.unsupported.Work at-

tribute), 426milestone (workfront.versions.v40.Approval attribute),

21milestone (workfront.versions.v40.Task attribute), 115milestone (workfront.versions.v40.TemplateTask at-

tribute), 128milestone (workfront.versions.v40.Work attribute), 151milestone_id (workfront.versions.unsupported.Approval

attribute), 182milestone_id (workfront.versions.unsupported.MasterTask

attribute), 296milestone_id (workfront.versions.unsupported.Task at-

tribute), 369milestone_id (workfront.versions.unsupported.TemplateTask

attribute), 386milestone_id (workfront.versions.unsupported.Work at-

tribute), 426milestone_id (workfront.versions.v40.Approval at-

tribute), 21milestone_id (workfront.versions.v40.Task attribute), 115milestone_id (workfront.versions.v40.TemplateTask at-

tribute), 128milestone_id (workfront.versions.v40.Work attribute),

151milestone_path (workfront.versions.unsupported.Approval

attribute), 182milestone_path (workfront.versions.unsupported.Milestone

attribute), 298milestone_path (workfront.versions.unsupported.Project

attribute), 330milestone_path (workfront.versions.unsupported.Template

attribute), 379milestone_path (workfront.versions.v40.Approval at-

tribute), 21milestone_path (workfront.versions.v40.Milestone

attribute), 74milestone_path (workfront.versions.v40.Project at-

tribute), 91milestone_path (workfront.versions.v40.Template at-

tribute), 123milestone_path_id (work-

front.versions.unsupported.Approval attribute),182

milestone_path_id (work-front.versions.unsupported.Milestone at-tribute), 298

milestone_path_id (work-front.versions.unsupported.Project attribute),330

milestone_path_id (work-

Index 533

python-workfront Documentation, Release 0.8.0

front.versions.unsupported.Template attribute),379

milestone_path_id (workfront.versions.v40.Approval at-tribute), 21

milestone_path_id (workfront.versions.v40.Milestone at-tribute), 74

milestone_path_id (workfront.versions.v40.Projectattribute), 91

milestone_path_id (workfront.versions.v40.Template at-tribute), 123

milestone_paths (work-front.versions.unsupported.Customer attribute),227

milestone_paths (workfront.versions.v40.Customer at-tribute), 44

MilestonePath (class in workfront.versions.unsupported),298

MilestonePath (class in workfront.versions.v40), 74milestones (workfront.versions.unsupported.MilestonePath

attribute), 299milestones (workfront.versions.v40.MilestonePath

attribute), 75mitigation_cost (workfront.versions.unsupported.Risk at-

tribute), 347mitigation_cost (workfront.versions.v40.Risk attribute),

101mitigation_description (work-

front.versions.unsupported.Risk attribute),347

mitigation_description (workfront.versions.v40.Risk at-tribute), 101

mobile_devices (workfront.versions.unsupported.User at-tribute), 408

mobile_phone_number (work-front.versions.unsupported.User attribute),408

mobile_phone_number (workfront.versions.v40.User at-tribute), 141

MobileDevice (class in workfront.versions.unsupported),299

mod_date (workfront.versions.unsupported.PortalSectionattribute), 313

mod_date (workfront.versions.unsupported.UIFilter at-tribute), 395

mod_date (workfront.versions.unsupported.UIGroupByattribute), 397

mod_date (workfront.versions.unsupported.UIView at-tribute), 399

mod_date (workfront.versions.v40.UIFilter attribute),133

mod_date (workfront.versions.v40.UIGroupBy attribute),134

mod_date (workfront.versions.v40.UIView attribute), 136monday (workfront.versions.unsupported.Schedule at-

tribute), 354monday (workfront.versions.v40.Schedule attribute), 105move() (workfront.versions.unsupported.Document

method), 238move() (workfront.versions.unsupported.Expense

method), 260move() (workfront.versions.unsupported.Issue method),

278move() (workfront.versions.unsupported.Program

method), 321move() (workfront.versions.unsupported.Task method),

369move() (workfront.versions.unsupported.TemplateTask

method), 386move() (workfront.versions.v40.Document method), 48move() (workfront.versions.v40.Expense method), 54move() (workfront.versions.v40.Issue method), 64move() (workfront.versions.v40.Program method), 84move() (workfront.versions.v40.Task method), 115move() (workfront.versions.v40.TemplateTask method),

128move_tasks_on_team_backlog() (work-

front.versions.unsupported.Team method),374

move_to_task() (workfront.versions.unsupported.Issuemethod), 278

move_to_task() (workfront.versions.v40.Issue method),64

msg_key (workfront.versions.unsupported.UIFilter at-tribute), 395

msg_key (workfront.versions.unsupported.UIGroupByattribute), 397

msg_key (workfront.versions.unsupported.UIViewattribute), 399

msg_key (workfront.versions.v40.UIFilter attribute), 133msg_key (workfront.versions.v40.UIGroupBy attribute),

134msg_key (workfront.versions.v40.UIView attribute), 136my_info (workfront.versions.unsupported.User attribute),

408my_info (workfront.versions.v40.User attribute), 141my_work_view (workfront.versions.unsupported.Team

attribute), 375my_work_view (workfront.versions.v40.Team attribute),

120my_work_view_id (work-

front.versions.unsupported.Team attribute),375

my_work_view_id (workfront.versions.v40.Team at-tribute), 120

Nname (workfront.versions.unsupported.AccessLevel at-

tribute), 160

534 Index

python-workfront Documentation, Release 0.8.0

name (workfront.versions.unsupported.AccessScope at-tribute), 164

name (workfront.versions.unsupported.AnnouncementAttachmentattribute), 169

name (workfront.versions.unsupported.AppEvent at-tribute), 171

name (workfront.versions.unsupported.Approval at-tribute), 182

name (workfront.versions.unsupported.ApprovalProcessattribute), 191

name (workfront.versions.unsupported.ApprovalStep at-tribute), 192

name (workfront.versions.unsupported.Baseline at-tribute), 204

name (workfront.versions.unsupported.BaselineTask at-tribute), 205

name (workfront.versions.unsupported.CalendarEvent at-tribute), 208

name (workfront.versions.unsupported.CalendarInfo at-tribute), 210

name (workfront.versions.unsupported.CalendarPortalSectionattribute), 211

name (workfront.versions.unsupported.CalendarSectionattribute), 212

name (workfront.versions.unsupported.Category at-tribute), 214

name (workfront.versions.unsupported.Company at-tribute), 218

name (workfront.versions.unsupported.ComponentKeyattribute), 218

name (workfront.versions.unsupported.Customer at-tribute), 227

name (workfront.versions.unsupported.CustomerPreferencesattribute), 231

name (workfront.versions.unsupported.Document at-tribute), 238

name (workfront.versions.unsupported.DocumentFolderattribute), 243

name (workfront.versions.unsupported.DocumentProviderattribute), 246

name (workfront.versions.unsupported.DocumentProviderConfigattribute), 246

name (workfront.versions.unsupported.EmailTemplateattribute), 254

name (workfront.versions.unsupported.EventHandler at-tribute), 257

name (workfront.versions.unsupported.ExpenseType at-tribute), 262

name (workfront.versions.unsupported.ExternalDocumentattribute), 264

name (workfront.versions.unsupported.ExternalSectionattribute), 265

name (workfront.versions.unsupported.Favorite at-tribute), 266

name (workfront.versions.unsupported.Feature attribute),267

name (workfront.versions.unsupported.Group attribute),269

name (workfront.versions.unsupported.HourType at-tribute), 272

name (workfront.versions.unsupported.ImportTemplateattribute), 273

name (workfront.versions.unsupported.Issue attribute),278

name (workfront.versions.unsupported.Iteration at-tribute), 283

name (workfront.versions.unsupported.LayoutTemplateattribute), 290

name (workfront.versions.unsupported.MasterTask at-tribute), 296

name (workfront.versions.unsupported.Milestone at-tribute), 298

name (workfront.versions.unsupported.MilestonePath at-tribute), 299

name (workfront.versions.unsupported.Parameter at-tribute), 307

name (workfront.versions.unsupported.ParameterGroupattribute), 307

name (workfront.versions.unsupported.PortalProfile at-tribute), 311

name (workfront.versions.unsupported.PortalSection at-tribute), 314

name (workfront.versions.unsupported.PortalTab at-tribute), 317

name (workfront.versions.unsupported.Portfolio at-tribute), 319

name (workfront.versions.unsupported.Program at-tribute), 321

name (workfront.versions.unsupported.Project attribute),330

name (workfront.versions.unsupported.QueueTopic at-tribute), 339

name (workfront.versions.unsupported.QueueTopicGroupattribute), 339

name (workfront.versions.unsupported.Recent attribute),340

name (workfront.versions.unsupported.RecentMenuItemattribute), 341

name (workfront.versions.unsupported.ReportFolder at-tribute), 344

name (workfront.versions.unsupported.Reseller at-tribute), 344

name (workfront.versions.unsupported.ResourcePool at-tribute), 346

name (workfront.versions.unsupported.RiskType at-tribute), 348

name (workfront.versions.unsupported.Role attribute),349

Index 535

python-workfront Documentation, Release 0.8.0

name (workfront.versions.unsupported.RoutingRule at-tribute), 349

name (workfront.versions.unsupported.Schedule at-tribute), 354

name (workfront.versions.unsupported.ScheduledReportattribute), 355

name (workfront.versions.unsupported.ScoreCard at-tribute), 357

name (workfront.versions.unsupported.ScoreCardQuestionattribute), 359

name (workfront.versions.unsupported.SSOUsername at-tribute), 352

name (workfront.versions.unsupported.Task attribute),369

name (workfront.versions.unsupported.Team attribute),375

name (workfront.versions.unsupported.Template at-tribute), 379

name (workfront.versions.unsupported.TemplateTask at-tribute), 386

name (workfront.versions.unsupported.TimedNotificationattribute), 390

name (workfront.versions.unsupported.TimesheetProfileattribute), 393

name (workfront.versions.unsupported.UIFilter at-tribute), 395

name (workfront.versions.unsupported.UIGroupBy at-tribute), 397

name (workfront.versions.unsupported.UIView attribute),399

name (workfront.versions.unsupported.User attribute),408

name (workfront.versions.unsupported.UserActivity at-tribute), 411

name (workfront.versions.unsupported.UserObjectPrefattribute), 416

name (workfront.versions.unsupported.UserPrefValue at-tribute), 417

name (workfront.versions.unsupported.Work attribute),426

name (workfront.versions.v40.Approval attribute), 21name (workfront.versions.v40.ApprovalProcess at-

tribute), 29name (workfront.versions.v40.ApprovalStep attribute),

30name (workfront.versions.v40.Baseline attribute), 34name (workfront.versions.v40.BaselineTask attribute), 36name (workfront.versions.v40.Category attribute), 38name (workfront.versions.v40.Company attribute), 40name (workfront.versions.v40.Customer attribute), 44name (workfront.versions.v40.CustomerPreferences at-

tribute), 46name (workfront.versions.v40.Document attribute), 48name (workfront.versions.v40.DocumentFolder at-

tribute), 50name (workfront.versions.v40.ExpenseType attribute), 56name (workfront.versions.v40.Favorite attribute), 56name (workfront.versions.v40.Group attribute), 58name (workfront.versions.v40.HourType attribute), 61name (workfront.versions.v40.Issue attribute), 65name (workfront.versions.v40.Iteration attribute), 69name (workfront.versions.v40.LayoutTemplate attribute),

73name (workfront.versions.v40.Milestone attribute), 74name (workfront.versions.v40.MilestonePath attribute),

75name (workfront.versions.v40.Parameter attribute), 80name (workfront.versions.v40.ParameterGroup attribute),

80name (workfront.versions.v40.Portfolio attribute), 82name (workfront.versions.v40.Program attribute), 84name (workfront.versions.v40.Project attribute), 91name (workfront.versions.v40.QueueTopic attribute), 98name (workfront.versions.v40.ResourcePool attribute),

101name (workfront.versions.v40.RiskType attribute), 102name (workfront.versions.v40.Role attribute), 103name (workfront.versions.v40.RoutingRule attribute),

103name (workfront.versions.v40.Schedule attribute), 105name (workfront.versions.v40.ScoreCard attribute), 106name (workfront.versions.v40.ScoreCardQuestion

attribute), 108name (workfront.versions.v40.Task attribute), 115name (workfront.versions.v40.Team attribute), 120name (workfront.versions.v40.Template attribute), 123name (workfront.versions.v40.TemplateTask attribute),

128name (workfront.versions.v40.UIFilter attribute), 133name (workfront.versions.v40.UIGroupBy attribute), 134name (workfront.versions.v40.UIView attribute), 136name (workfront.versions.v40.User attribute), 142name (workfront.versions.v40.UserActivity attribute),

144name (workfront.versions.v40.UserPrefValue attribute),

145name (workfront.versions.v40.Work attribute), 151name_key (workfront.versions.unsupported.AccessLevel

attribute), 160name_key (workfront.versions.unsupported.AccessScope

attribute), 164name_key (workfront.versions.unsupported.AppEvent at-

tribute), 171name_key (workfront.versions.unsupported.EventHandler

attribute), 257name_key (workfront.versions.unsupported.ExpenseType

attribute), 262

536 Index

python-workfront Documentation, Release 0.8.0

name_key (workfront.versions.unsupported.ExternalSectionattribute), 265

name_key (workfront.versions.unsupported.HourType at-tribute), 272

name_key (workfront.versions.unsupported.InstalledDDItemattribute), 273

name_key (workfront.versions.unsupported.LayoutTemplateattribute), 290

name_key (workfront.versions.unsupported.PortalProfileattribute), 311

name_key (workfront.versions.unsupported.PortalSectionattribute), 314

name_key (workfront.versions.unsupported.PortalTab at-tribute), 317

name_key (workfront.versions.v40.ExpenseType at-tribute), 56

name_key (workfront.versions.v40.HourType attribute),61

name_key (workfront.versions.v40.LayoutTemplate at-tribute), 73

nav_bar (workfront.versions.unsupported.LayoutTemplateattribute), 290

nav_bar (workfront.versions.v40.LayoutTemplate at-tribute), 73

nav_items (workfront.versions.unsupported.LayoutTemplateattribute), 290

nav_items (workfront.versions.v40.LayoutTemplate at-tribute), 73

need_license_agreement (work-front.versions.unsupported.Customer attribute),227

need_license_agreement (work-front.versions.v40.Customer attribute), 44

nested_updates (workfront.versions.unsupported.Updateattribute), 400

nested_updates (workfront.versions.v40.Update at-tribute), 137

net_value (workfront.versions.unsupported.Portfolio at-tribute), 319

net_value (workfront.versions.v40.Portfolio attribute), 82new_date_val (workfront.versions.unsupported.JournalEntry

attribute), 286new_date_val (workfront.versions.v40.JournalEntry at-

tribute), 71new_number_val (work-

front.versions.unsupported.JournalEntryattribute), 286

new_number_val (workfront.versions.v40.JournalEntryattribute), 71

new_text_val (workfront.versions.unsupported.JournalEntryattribute), 286

new_text_val (workfront.versions.v40.JournalEntry at-tribute), 71

next_auto_baseline_date (work-

front.versions.unsupported.Approval attribute),182

next_auto_baseline_date (work-front.versions.unsupported.Project attribute),330

next_auto_baseline_date (work-front.versions.v40.Approval attribute), 21

next_auto_baseline_date (workfront.versions.v40.Projectattribute), 91

next_parameter (workfront.versions.unsupported.CategoryCascadeRuleattribute), 215

next_parameter_group (work-front.versions.unsupported.CategoryCascadeRuleattribute), 215

next_parameter_group_id (work-front.versions.unsupported.CategoryCascadeRuleattribute), 215

next_parameter_id (work-front.versions.unsupported.CategoryCascadeRuleattribute), 215

next_usage_report_date (work-front.versions.unsupported.Customer attribute),227

next_usage_report_date (work-front.versions.v40.Customer attribute), 44

non_work_date (workfront.versions.unsupported.NonWorkDayattribute), 299

non_work_date (workfront.versions.v40.NonWorkDayattribute), 75

non_work_days (work-front.versions.unsupported.Schedule attribute),354

non_work_days (workfront.versions.v40.Scheduleattribute), 105

NonWorkDay (class in workfront.versions.unsupported),299

NonWorkDay (class in workfront.versions.v40), 75Note (class in workfront.versions.unsupported), 300Note (class in workfront.versions.v40), 75note (workfront.versions.unsupported.DocumentApproval

attribute), 242note (workfront.versions.unsupported.Like attribute), 293note (workfront.versions.unsupported.NoteTag attribute),

304note (workfront.versions.unsupported.UserNote at-

tribute), 415note (workfront.versions.v40.DocumentApproval at-

tribute), 50note (workfront.versions.v40.NoteTag attribute), 79note (workfront.versions.v40.UserNote attribute), 144note_count (workfront.versions.unsupported.AuditLoginAsSession

attribute), 196note_id (workfront.versions.unsupported.DocumentApproval

attribute), 242

Index 537

python-workfront Documentation, Release 0.8.0

note_id (workfront.versions.unsupported.Like attribute),293

note_id (workfront.versions.unsupported.NoteTag at-tribute), 304

note_id (workfront.versions.unsupported.UserNote at-tribute), 415

note_id (workfront.versions.v40.DocumentApproval at-tribute), 50

note_id (workfront.versions.v40.NoteTag attribute), 79note_id (workfront.versions.v40.UserNote attribute), 144note_obj_code (workfront.versions.unsupported.Note at-

tribute), 302note_obj_code (workfront.versions.v40.Note attribute),

77note_text (workfront.versions.unsupported.Note at-

tribute), 302note_text (workfront.versions.v40.Note attribute), 77notes (workfront.versions.unsupported.AuditLoginAsSession

attribute), 196NoteTag (class in workfront.versions.unsupported), 304NoteTag (class in workfront.versions.v40), 79notification_config_map (work-

front.versions.unsupported.Customer attribute),227

notification_config_map_id (work-front.versions.unsupported.Customer attribute),227

notification_config_map_id (work-front.versions.v40.Customer attribute), 44

notification_obj_code (work-front.versions.unsupported.NotificationRecordattribute), 305

notification_obj_id (work-front.versions.unsupported.NotificationRecordattribute), 305

notification_records (work-front.versions.unsupported.Approval attribute),182

notification_records (work-front.versions.unsupported.Issue attribute),278

notification_records (work-front.versions.unsupported.MasterTask at-tribute), 296

notification_records (work-front.versions.unsupported.Project attribute),330

notification_records (work-front.versions.unsupported.Task attribute),369

notification_records (work-front.versions.unsupported.Template attribute),379

notification_records (work-

front.versions.unsupported.TemplateTaskattribute), 386

notification_records (work-front.versions.unsupported.Timesheet at-tribute), 391

notification_records (work-front.versions.unsupported.TimesheetProfileattribute), 393

notification_records (work-front.versions.unsupported.Work attribute),426

notification_url (workfront.versions.unsupported.EventSubscriptionattribute), 258

NotificationRecord (class in work-front.versions.unsupported), 304

notified (workfront.versions.unsupported.SandboxMigrationattribute), 353

notify_approver() (work-front.versions.unsupported.DocumentApprovalmethod), 242

notify_share() (workfront.versions.unsupported.DocumentSharemethod), 249

num_likes (workfront.versions.unsupported.Endorsementattribute), 254

num_likes (workfront.versions.unsupported.JournalEntryattribute), 286

num_likes (workfront.versions.unsupported.Note at-tribute), 302

num_likes (workfront.versions.v40.JournalEntry at-tribute), 71

num_likes (workfront.versions.v40.Note attribute), 77num_replies (workfront.versions.unsupported.Endorsement

attribute), 255num_replies (workfront.versions.unsupported.JournalEntry

attribute), 286num_replies (workfront.versions.unsupported.Note at-

tribute), 302num_replies (workfront.versions.v40.JournalEntry

attribute), 71num_replies (workfront.versions.v40.Note attribute), 77number_of_assignments (work-

front.versions.unsupported.UserResourceattribute), 418

number_of_children (work-front.versions.unsupported.Approval attribute),182

number_of_children (work-front.versions.unsupported.Issue attribute),278

number_of_children (work-front.versions.unsupported.Task attribute),369

number_of_children (work-front.versions.unsupported.TemplateTask

538 Index

python-workfront Documentation, Release 0.8.0

attribute), 386number_of_children (work-

front.versions.unsupported.Work attribute),426

number_of_children (workfront.versions.v40.Approvalattribute), 21

number_of_children (workfront.versions.v40.Issueattribute), 65

number_of_children (workfront.versions.v40.Taskattribute), 115

number_of_children (work-front.versions.v40.TemplateTask attribute),128

number_of_children (workfront.versions.v40.Work at-tribute), 151

number_of_comments (work-front.versions.unsupported.RecentUpdateattribute), 342

number_of_days_within_actual_threshold (work-front.versions.unsupported.UserResourceattribute), 418

number_of_days_within_projected_threshold (work-front.versions.unsupported.UserResourceattribute), 418

number_of_days_within_threshold (work-front.versions.unsupported.UserResourceattribute), 418

number_open_op_tasks (work-front.versions.unsupported.Approval attribute),182

number_open_op_tasks (work-front.versions.unsupported.Project attribute),330

number_open_op_tasks (work-front.versions.unsupported.Task attribute),369

number_open_op_tasks (work-front.versions.unsupported.Work attribute),426

number_open_op_tasks (work-front.versions.v40.Approval attribute), 21

number_open_op_tasks (workfront.versions.v40.Projectattribute), 91

number_open_op_tasks (workfront.versions.v40.Task at-tribute), 115

number_open_op_tasks (workfront.versions.v40.Workattribute), 151

number_val (workfront.versions.unsupported.ParameterValueattribute), 308

number_val (workfront.versions.unsupported.ScoreCardAnswerattribute), 358

number_val (workfront.versions.v40.ScoreCardAnswerattribute), 106

Oobj_code (workfront.versions.unsupported.Authentication

attribute), 198obj_code (workfront.versions.unsupported.CalendarFeedEntry

attribute), 209obj_code (workfront.versions.unsupported.CustomerPreferences

attribute), 231obj_code (workfront.versions.unsupported.Email at-

tribute), 252obj_code (workfront.versions.unsupported.KickStart at-

tribute), 288obj_code (workfront.versions.unsupported.MetaRecord

attribute), 298obj_code (workfront.versions.unsupported.UserResource

attribute), 418obj_code (workfront.versions.v40.CustomerPreferences

attribute), 46obj_id (workfront.versions.unsupported.AccessLevel at-

tribute), 160obj_id (workfront.versions.unsupported.AccessScope at-

tribute), 164obj_id (workfront.versions.unsupported.AppEvent

attribute), 171obj_id (workfront.versions.unsupported.CalendarPortalSection

attribute), 211obj_id (workfront.versions.unsupported.CustomMenu at-

tribute), 221obj_id (workfront.versions.unsupported.Document

attribute), 238obj_id (workfront.versions.unsupported.Expense at-

tribute), 260obj_id (workfront.versions.unsupported.ExpenseType at-

tribute), 262obj_id (workfront.versions.unsupported.ExternalSection

attribute), 265obj_id (workfront.versions.unsupported.Favorite at-

tribute), 266obj_id (workfront.versions.unsupported.HourType

attribute), 272obj_id (workfront.versions.unsupported.JournalEntry at-

tribute), 286obj_id (workfront.versions.unsupported.LayoutTemplate

attribute), 290obj_id (workfront.versions.unsupported.NonWorkDay at-

tribute), 299obj_id (workfront.versions.unsupported.Note attribute),

302obj_id (workfront.versions.unsupported.NoteTag at-

tribute), 304obj_id (workfront.versions.unsupported.ObjectCategory

attribute), 306obj_id (workfront.versions.unsupported.ParameterValue

attribute), 309obj_id (workfront.versions.unsupported.PortalProfile at-

Index 539

python-workfront Documentation, Release 0.8.0

tribute), 311obj_id (workfront.versions.unsupported.PortalSection at-

tribute), 314obj_id (workfront.versions.unsupported.Recent attribute),

341obj_id (workfront.versions.unsupported.RecentMenuItem

attribute), 341obj_id (workfront.versions.unsupported.ResourceAllocation

attribute), 345obj_id (workfront.versions.unsupported.ScoreCard

attribute), 357obj_id (workfront.versions.unsupported.ScoreCardAnswer

attribute), 358obj_id (workfront.versions.unsupported.TemplateAssignment

attribute), 382obj_id (workfront.versions.unsupported.UIFilter at-

tribute), 395obj_id (workfront.versions.unsupported.UIGroupBy at-

tribute), 397obj_id (workfront.versions.unsupported.UIView at-

tribute), 399obj_id (workfront.versions.unsupported.WorkItem

attribute), 432obj_id (workfront.versions.v40.Document attribute), 48obj_id (workfront.versions.v40.Expense attribute), 54obj_id (workfront.versions.v40.ExpenseType attribute),

56obj_id (workfront.versions.v40.Favorite attribute), 56obj_id (workfront.versions.v40.HourType attribute), 61obj_id (workfront.versions.v40.JournalEntry attribute),

71obj_id (workfront.versions.v40.LayoutTemplate at-

tribute), 73obj_id (workfront.versions.v40.NonWorkDay attribute),

75obj_id (workfront.versions.v40.Note attribute), 77obj_id (workfront.versions.v40.NoteTag attribute), 79obj_id (workfront.versions.v40.ResourceAllocation at-

tribute), 100obj_id (workfront.versions.v40.ScoreCard attribute), 106obj_id (workfront.versions.v40.ScoreCardAnswer at-

tribute), 106obj_id (workfront.versions.v40.TemplateAssignment at-

tribute), 124obj_id (workfront.versions.v40.UIFilter attribute), 133obj_id (workfront.versions.v40.UIGroupBy attribute),

134obj_id (workfront.versions.v40.UIView attribute), 136obj_id (workfront.versions.v40.WorkItem attribute), 156obj_ids (workfront.versions.unsupported.SearchEvent at-

tribute), 360obj_interface (workfront.versions.unsupported.CustomMenu

attribute), 221obj_interface (workfront.versions.unsupported.ExternalSection

attribute), 265obj_interface (workfront.versions.unsupported.PortalSection

attribute), 314obj_obj_code (workfront.versions.unsupported.AccessLevel

attribute), 160obj_obj_code (workfront.versions.unsupported.AccessLevelPermissions

attribute), 160obj_obj_code (workfront.versions.unsupported.AccessScope

attribute), 164obj_obj_code (workfront.versions.unsupported.AppEvent

attribute), 171obj_obj_code (workfront.versions.unsupported.CalendarPortalSection

attribute), 211obj_obj_code (workfront.versions.unsupported.ExpenseType

attribute), 262obj_obj_code (workfront.versions.unsupported.ExternalSection

attribute), 266obj_obj_code (workfront.versions.unsupported.Favorite

attribute), 266obj_obj_code (workfront.versions.unsupported.HourType

attribute), 272obj_obj_code (workfront.versions.unsupported.JournalEntry

attribute), 286obj_obj_code (workfront.versions.unsupported.JournalField

attribute), 288obj_obj_code (workfront.versions.unsupported.LayoutTemplate

attribute), 290obj_obj_code (workfront.versions.unsupported.NonWorkDay

attribute), 299obj_obj_code (workfront.versions.unsupported.NoteTag

attribute), 304obj_obj_code (workfront.versions.unsupported.ObjectCategory

attribute), 306obj_obj_code (workfront.versions.unsupported.ParameterValue

attribute), 309obj_obj_code (workfront.versions.unsupported.PortalProfile

attribute), 311obj_obj_code (workfront.versions.unsupported.PortalSection

attribute), 314obj_obj_code (workfront.versions.unsupported.Recent

attribute), 341obj_obj_code (workfront.versions.unsupported.RecentMenuItem

attribute), 341obj_obj_code (workfront.versions.unsupported.ResourceAllocation

attribute), 345obj_obj_code (workfront.versions.unsupported.ScoreCard

attribute), 357obj_obj_code (workfront.versions.unsupported.ScoreCardAnswer

attribute), 358obj_obj_code (workfront.versions.unsupported.TemplateAssignment

attribute), 382obj_obj_code (workfront.versions.unsupported.UIFilter

attribute), 395obj_obj_code (workfront.versions.unsupported.UIGroupBy

540 Index

python-workfront Documentation, Release 0.8.0

attribute), 397obj_obj_code (workfront.versions.unsupported.UIView

attribute), 399obj_obj_code (workfront.versions.unsupported.WorkItem

attribute), 432obj_obj_code (workfront.versions.v40.ExpenseType at-

tribute), 56obj_obj_code (workfront.versions.v40.Favorite attribute),

56obj_obj_code (workfront.versions.v40.HourType at-

tribute), 61obj_obj_code (workfront.versions.v40.JournalEntry at-

tribute), 71obj_obj_code (workfront.versions.v40.LayoutTemplate

attribute), 73obj_obj_code (workfront.versions.v40.NonWorkDay at-

tribute), 75obj_obj_code (workfront.versions.v40.NoteTag at-

tribute), 79obj_obj_code (workfront.versions.v40.ResourceAllocation

attribute), 100obj_obj_code (workfront.versions.v40.ScoreCard at-

tribute), 106obj_obj_code (workfront.versions.v40.ScoreCardAnswer

attribute), 106obj_obj_code (workfront.versions.v40.TemplateAssignment

attribute), 124obj_obj_code (workfront.versions.v40.UIFilter attribute),

133obj_obj_code (workfront.versions.v40.UIGroupBy

attribute), 134obj_obj_code (workfront.versions.v40.UIView attribute),

136obj_obj_code (workfront.versions.v40.WorkItem at-

tribute), 156objcode (workfront.versions.unsupported.MessageArg at-

tribute), 297objcode (workfront.versions.v40.MessageArg attribute),

74Object (class in workfront.meta), 11object_categories (work-

front.versions.unsupported.Approval attribute),182

object_categories (work-front.versions.unsupported.ApprovalProcessAttachableattribute), 192

object_categories (work-front.versions.unsupported.Company attribute),218

object_categories (work-front.versions.unsupported.Document at-tribute), 238

object_categories (work-front.versions.unsupported.Expense attribute),

260object_categories (workfront.versions.unsupported.Issue

attribute), 278object_categories (work-

front.versions.unsupported.Iteration attribute),283

object_categories (work-front.versions.unsupported.MasterTask at-tribute), 296

object_categories (work-front.versions.unsupported.Portfolio attribute),319

object_categories (work-front.versions.unsupported.Program attribute),322

object_categories (work-front.versions.unsupported.Project attribute),330

object_categories (work-front.versions.unsupported.QueueDef at-tribute), 337

object_categories (work-front.versions.unsupported.QueueTopic at-tribute), 339

object_categories (workfront.versions.unsupported.Taskattribute), 369

object_categories (work-front.versions.unsupported.Template attribute),379

object_categories (work-front.versions.unsupported.TemplateTaskattribute), 387

object_categories (workfront.versions.unsupported.Userattribute), 408

object_categories (workfront.versions.unsupported.Workattribute), 426

ObjectCategory (class in work-front.versions.unsupported), 306

objid (workfront.versions.unsupported.MessageArg at-tribute), 297

objid (workfront.versions.v40.MessageArg attribute), 74old_date_val (workfront.versions.unsupported.JournalEntry

attribute), 286old_date_val (workfront.versions.v40.JournalEntry at-

tribute), 71old_jexl_expression (work-

front.versions.unsupported.Feature attribute),267

old_number_val (work-front.versions.unsupported.JournalEntryattribute), 286

old_number_val (workfront.versions.v40.JournalEntryattribute), 71

old_text_val (workfront.versions.unsupported.JournalEntry

Index 541

python-workfront Documentation, Release 0.8.0

attribute), 286old_text_val (workfront.versions.v40.JournalEntry

attribute), 71olv (workfront.versions.unsupported.Approval attribute),

182olv (workfront.versions.unsupported.Assignment at-

tribute), 194olv (workfront.versions.unsupported.CustomerTimelineCalc

attribute), 232olv (workfront.versions.unsupported.Issue attribute), 278olv (workfront.versions.unsupported.Project attribute),

330olv (workfront.versions.unsupported.Task attribute), 369olv (workfront.versions.unsupported.Template attribute),

379olv (workfront.versions.unsupported.UserAvailability at-

tribute), 411olv (workfront.versions.unsupported.Work attribute), 426olv (workfront.versions.v40.Approval attribute), 21olv (workfront.versions.v40.Project attribute), 91olv (workfront.versions.v40.Template attribute), 123on_budget (workfront.versions.unsupported.Portfolio at-

tribute), 319on_budget (workfront.versions.v40.Portfolio attribute),

82on_demand_options (work-

front.versions.unsupported.Customer attribute),227

on_demand_options (workfront.versions.v40.Customerattribute), 44

on_time (workfront.versions.unsupported.Portfolio at-tribute), 319

on_time (workfront.versions.v40.Portfolio attribute), 82ONDEMAND_TEMPLATE (in module work-

front.session), 10op_task (workfront.versions.unsupported.ApproverStatus

attribute), 193op_task (workfront.versions.unsupported.Assignment at-

tribute), 194op_task (workfront.versions.unsupported.AwaitingApproval

attribute), 200op_task (workfront.versions.unsupported.CalendarFeedEntry

attribute), 209op_task (workfront.versions.unsupported.Document at-

tribute), 238op_task (workfront.versions.unsupported.DocumentRequest

attribute), 247op_task (workfront.versions.unsupported.Endorsement

attribute), 255op_task (workfront.versions.unsupported.Hour attribute),

270op_task (workfront.versions.unsupported.JournalEntry

attribute), 286op_task (workfront.versions.unsupported.Note attribute),

302op_task (workfront.versions.unsupported.NotificationRecord

attribute), 305op_task (workfront.versions.unsupported.ParameterValue

attribute), 309op_task (workfront.versions.unsupported.TimesheetTemplate

attribute), 393op_task (workfront.versions.unsupported.WorkItem at-

tribute), 432op_task (workfront.versions.v40.ApproverStatus at-

tribute), 30op_task (workfront.versions.v40.Assignment attribute),

32op_task (workfront.versions.v40.Document attribute), 48op_task (workfront.versions.v40.Hour attribute), 59op_task (workfront.versions.v40.JournalEntry attribute),

71op_task (workfront.versions.v40.Note attribute), 77op_task (workfront.versions.v40.WorkItem attribute),

156op_task_assignment_core_action (work-

front.versions.unsupported.SharingSettingsattribute), 360

op_task_assignment_project_core_action (work-front.versions.unsupported.SharingSettingsattribute), 360

op_task_assignment_project_secondary_actions (work-front.versions.unsupported.SharingSettingsattribute), 361

op_task_assignment_secondary_actions (work-front.versions.unsupported.SharingSettingsattribute), 361

op_task_bug_report_statuses (work-front.versions.unsupported.Team attribute),375

op_task_bug_report_statuses (work-front.versions.v40.Team attribute), 120

op_task_change_order_statuses (work-front.versions.unsupported.Team attribute),375

op_task_change_order_statuses (work-front.versions.v40.Team attribute), 120

op_task_count_limit (work-front.versions.unsupported.Customer attribute),228

op_task_count_limit (workfront.versions.v40.Customerattribute), 44

op_task_id (workfront.versions.unsupported.ApproverStatusattribute), 193

op_task_id (workfront.versions.unsupported.Assignmentattribute), 194

op_task_id (workfront.versions.unsupported.AwaitingApprovalattribute), 200

op_task_id (workfront.versions.unsupported.CalendarFeedEntry

542 Index

python-workfront Documentation, Release 0.8.0

attribute), 209op_task_id (workfront.versions.unsupported.Document

attribute), 238op_task_id (workfront.versions.unsupported.DocumentRequest

attribute), 247op_task_id (workfront.versions.unsupported.Endorsement

attribute), 255op_task_id (workfront.versions.unsupported.Hour at-

tribute), 270op_task_id (workfront.versions.unsupported.JournalEntry

attribute), 286op_task_id (workfront.versions.unsupported.Note at-

tribute), 302op_task_id (workfront.versions.unsupported.NotificationRecord

attribute), 305op_task_id (workfront.versions.unsupported.ParameterValue

attribute), 309op_task_id (workfront.versions.unsupported.TimesheetTemplate

attribute), 393op_task_id (workfront.versions.unsupported.WorkItem

attribute), 432op_task_id (workfront.versions.v40.ApproverStatus at-

tribute), 30op_task_id (workfront.versions.v40.Assignment at-

tribute), 32op_task_id (workfront.versions.v40.Document attribute),

48op_task_id (workfront.versions.v40.Hour attribute), 59op_task_id (workfront.versions.v40.JournalEntry at-

tribute), 71op_task_id (workfront.versions.v40.Note attribute), 77op_task_id (workfront.versions.v40.WorkItem attribute),

156op_task_issue_statuses (work-

front.versions.unsupported.Team attribute),375

op_task_issue_statuses (workfront.versions.v40.Team at-tribute), 120

op_task_request_statuses (work-front.versions.unsupported.Team attribute),375

op_task_request_statuses (workfront.versions.v40.Teamattribute), 120

op_task_type (workfront.versions.unsupported.Approvalattribute), 182

op_task_type (workfront.versions.unsupported.Issue at-tribute), 278

op_task_type (workfront.versions.unsupported.Work at-tribute), 426

op_task_type (workfront.versions.v40.Approval at-tribute), 21

op_task_type (workfront.versions.v40.Issue attribute), 65op_task_type (workfront.versions.v40.Work attribute),

151

op_task_type_label (work-front.versions.unsupported.Approval attribute),182

op_task_type_label (work-front.versions.unsupported.Issue attribute),278

op_task_type_label (work-front.versions.unsupported.Work attribute),426

op_task_type_label (workfront.versions.v40.Approval at-tribute), 21

op_task_type_label (workfront.versions.v40.Issue at-tribute), 65

op_task_type_label (workfront.versions.v40.Workattribute), 151

op_tasks (workfront.versions.unsupported.Approval at-tribute), 182

op_tasks (workfront.versions.unsupported.Task attribute),369

op_tasks (workfront.versions.unsupported.Work at-tribute), 426

op_tasks (workfront.versions.v40.Approval attribute), 21op_tasks (workfront.versions.v40.Task attribute), 115op_tasks (workfront.versions.v40.Work attribute), 151open_op_tasks (workfront.versions.unsupported.Approval

attribute), 182open_op_tasks (workfront.versions.unsupported.Project

attribute), 330open_op_tasks (workfront.versions.unsupported.Task at-

tribute), 369open_op_tasks (workfront.versions.unsupported.Work at-

tribute), 426open_op_tasks (workfront.versions.v40.Approval at-

tribute), 21open_op_tasks (workfront.versions.v40.Project attribute),

91open_op_tasks (workfront.versions.v40.Task attribute),

115open_op_tasks (workfront.versions.v40.Work attribute),

151opt_out_date (workfront.versions.unsupported.AnnouncementOptOut

attribute), 169optask (workfront.versions.unsupported.WatchListEntry

attribute), 419optask_id (workfront.versions.unsupported.WatchListEntry

attribute), 419optimization_score (work-

front.versions.unsupported.Approval attribute),182

optimization_score (work-front.versions.unsupported.Project attribute),331

optimization_score (workfront.versions.v40.Approval at-tribute), 22

Index 543

python-workfront Documentation, Release 0.8.0

optimization_score (workfront.versions.v40.Project at-tribute), 91

order_date (workfront.versions.unsupported.LicenseOrderattribute), 293

original_duration (work-front.versions.unsupported.Approval attribute),182

original_duration (workfront.versions.unsupported.Taskattribute), 369

original_duration (work-front.versions.unsupported.TemplateTaskattribute), 387

original_duration (workfront.versions.unsupported.Workattribute), 426

original_duration (workfront.versions.v40.Approval at-tribute), 22

original_duration (workfront.versions.v40.Task attribute),115

original_duration (workfront.versions.v40.TemplateTaskattribute), 128

original_duration (workfront.versions.v40.Work at-tribute), 151

original_total_estimate (work-front.versions.unsupported.Iteration attribute),283

original_work_required (work-front.versions.unsupported.Approval attribute),182

original_work_required (work-front.versions.unsupported.Task attribute),369

original_work_required (work-front.versions.unsupported.TemplateTaskattribute), 387

original_work_required (work-front.versions.unsupported.Work attribute),427

original_work_required (work-front.versions.v40.Approval attribute), 22

original_work_required (workfront.versions.v40.Task at-tribute), 115

original_work_required (work-front.versions.v40.TemplateTask attribute),128

original_work_required (workfront.versions.v40.Workattribute), 151

other_amount (workfront.versions.unsupported.BillingRecordattribute), 206

other_amount (workfront.versions.v40.BillingRecord at-tribute), 37

other_groups (workfront.versions.unsupported.Categoryattribute), 214

other_groups (workfront.versions.unsupported.Scheduleattribute), 354

other_groups (workfront.versions.v40.Category at-tribute), 38

other_groups (workfront.versions.v40.Schedule at-tribute), 105

other_groups (workfront.versions.v40.User attribute),142

other_recipient_names (work-front.versions.unsupported.Announcementattribute), 168

otherwise_parameter (work-front.versions.unsupported.CategoryCascadeRuleattribute), 215

otherwise_parameter_id (work-front.versions.unsupported.CategoryCascadeRuleattribute), 215

overdraft_exp_date (workfront.versions.v40.Customer at-tribute), 44

overhead_type (workfront.versions.unsupported.HourTypeattribute), 272

overhead_type (workfront.versions.v40.HourType at-tribute), 61

overridden_user (work-front.versions.unsupported.ApproverStatusattribute), 193

overridden_user (workfront.versions.v40.ApproverStatusattribute), 30

overridden_user_id (work-front.versions.unsupported.ApproverStatusattribute), 193

overridden_user_id (work-front.versions.v40.ApproverStatus attribute),30

override_attribute (work-front.versions.unsupported.SSOMappingattribute), 350

override_for_session() (work-front.versions.unsupported.Feature method),267

overtime_hours (workfront.versions.unsupported.Timesheetattribute), 391

overtime_hours (workfront.versions.v40.Timesheet at-tribute), 131

owner (workfront.versions.unsupported.Acknowledgementattribute), 167

owner (workfront.versions.unsupported.Approval at-tribute), 183

owner (workfront.versions.unsupported.Documentattribute), 238

owner (workfront.versions.unsupported.DocumentProviderattribute), 246

owner (workfront.versions.unsupported.Hour attribute),270

owner (workfront.versions.unsupported.Issue attribute),278

544 Index

python-workfront Documentation, Release 0.8.0

owner (workfront.versions.unsupported.Iteration at-tribute), 283

owner (workfront.versions.unsupported.Note attribute),302

owner (workfront.versions.unsupported.Portfolio at-tribute), 319

owner (workfront.versions.unsupported.Program at-tribute), 322

owner (workfront.versions.unsupported.Project attribute),331

owner (workfront.versions.unsupported.Team attribute),375

owner (workfront.versions.unsupported.Template at-tribute), 379

owner (workfront.versions.unsupported.Work attribute),427

owner (workfront.versions.v40.Approval attribute), 22owner (workfront.versions.v40.Document attribute), 48owner (workfront.versions.v40.Hour attribute), 59owner (workfront.versions.v40.Issue attribute), 65owner (workfront.versions.v40.Iteration attribute), 69owner (workfront.versions.v40.Note attribute), 77owner (workfront.versions.v40.Portfolio attribute), 82owner (workfront.versions.v40.Program attribute), 84owner (workfront.versions.v40.Project attribute), 91owner (workfront.versions.v40.Team attribute), 120owner (workfront.versions.v40.Work attribute), 151owner_id (workfront.versions.unsupported.Acknowledgement

attribute), 167owner_id (workfront.versions.unsupported.Approval at-

tribute), 183owner_id (workfront.versions.unsupported.Document at-

tribute), 238owner_id (workfront.versions.unsupported.DocumentProvider

attribute), 246owner_id (workfront.versions.unsupported.Hour at-

tribute), 271owner_id (workfront.versions.unsupported.Issue at-

tribute), 278owner_id (workfront.versions.unsupported.Iteration at-

tribute), 283owner_id (workfront.versions.unsupported.Note at-

tribute), 302owner_id (workfront.versions.unsupported.Portfolio at-

tribute), 319owner_id (workfront.versions.unsupported.Program at-

tribute), 322owner_id (workfront.versions.unsupported.Project

attribute), 331owner_id (workfront.versions.unsupported.Team at-

tribute), 375owner_id (workfront.versions.unsupported.Template at-

tribute), 379owner_id (workfront.versions.unsupported.Work at-

tribute), 427owner_id (workfront.versions.v40.Approval attribute), 22owner_id (workfront.versions.v40.Document attribute),

48owner_id (workfront.versions.v40.Hour attribute), 59owner_id (workfront.versions.v40.Issue attribute), 65owner_id (workfront.versions.v40.Iteration attribute), 69owner_id (workfront.versions.v40.Note attribute), 77owner_id (workfront.versions.v40.Portfolio attribute), 83owner_id (workfront.versions.v40.Program attribute), 84owner_id (workfront.versions.v40.Project attribute), 92owner_id (workfront.versions.v40.Team attribute), 120owner_id (workfront.versions.v40.Work attribute), 151owner_privileges (work-

front.versions.unsupported.Approval attribute),183

owner_privileges (work-front.versions.unsupported.Project attribute),331

owner_privileges (work-front.versions.unsupported.Template attribute),379

owner_privileges (workfront.versions.v40.Approval at-tribute), 22

owner_privileges (workfront.versions.v40.Project at-tribute), 92

owner_privileges (workfront.versions.v40.Template at-tribute), 123

Ppage_size (workfront.versions.unsupported.ScheduledReport

attribute), 355page_type (workfront.versions.unsupported.LayoutTemplatePage

attribute), 292Parameter (class in workfront.versions.unsupported), 306Parameter (class in workfront.versions.v40), 79parameter (workfront.versions.unsupported.CategoryCascadeRuleMatch

attribute), 216parameter (workfront.versions.unsupported.CategoryParameter

attribute), 216parameter (workfront.versions.unsupported.JournalField

attribute), 288parameter (workfront.versions.unsupported.ParameterOption

attribute), 308parameter (workfront.versions.unsupported.ParameterValue

attribute), 309parameter (workfront.versions.v40.CategoryParameter

attribute), 38parameter (workfront.versions.v40.ParameterOption at-

tribute), 81parameter_group (work-

front.versions.unsupported.CategoryParameterattribute), 217

Index 545

python-workfront Documentation, Release 0.8.0

parameter_group (work-front.versions.v40.CategoryParameter at-tribute), 39

parameter_group_id (work-front.versions.unsupported.CategoryParameterattribute), 217

parameter_group_id (work-front.versions.v40.CategoryParameter at-tribute), 39

parameter_groups (work-front.versions.unsupported.Customer attribute),228

parameter_groups (workfront.versions.v40.Customer at-tribute), 44

parameter_id (workfront.versions.unsupported.CategoryCascadeRuleMatchattribute), 216

parameter_id (workfront.versions.unsupported.CategoryParameterattribute), 217

parameter_id (workfront.versions.unsupported.JournalFieldattribute), 288

parameter_id (workfront.versions.unsupported.LayoutTemplateCardattribute), 291

parameter_id (workfront.versions.unsupported.ParameterOptionattribute), 308

parameter_id (workfront.versions.unsupported.ParameterValueattribute), 309

parameter_id (workfront.versions.v40.CategoryParameterattribute), 39

parameter_id (workfront.versions.v40.ParameterOptionattribute), 81

parameter_name (work-front.versions.unsupported.ParameterValueattribute), 309

parameter_options (work-front.versions.unsupported.Parameter at-tribute), 307

parameter_options (workfront.versions.v40.Parameter at-tribute), 80

parameter_values (work-front.versions.unsupported.Approval attribute),183

parameter_values (work-front.versions.unsupported.ApprovalProcessAttachableattribute), 192

parameter_values (work-front.versions.unsupported.Company attribute),218

parameter_values (work-front.versions.unsupported.Document at-tribute), 238

parameter_values (work-front.versions.unsupported.Expense attribute),260

parameter_values (workfront.versions.unsupported.Issue

attribute), 278parameter_values (work-

front.versions.unsupported.Iteration attribute),283

parameter_values (work-front.versions.unsupported.MasterTask at-tribute), 296

parameter_values (work-front.versions.unsupported.Portfolio attribute),319

parameter_values (work-front.versions.unsupported.Program attribute),322

parameter_values (work-front.versions.unsupported.Project attribute),331

parameter_values (workfront.versions.unsupported.Taskattribute), 369

parameter_values (work-front.versions.unsupported.Template attribute),379

parameter_values (work-front.versions.unsupported.TemplateTaskattribute), 387

parameter_values (workfront.versions.unsupported.Userattribute), 408

parameter_values (workfront.versions.unsupported.Workattribute), 427

ParameterGroup (class in work-front.versions.unsupported), 307

ParameterGroup (class in workfront.versions.v40), 80ParameterOption (class in work-

front.versions.unsupported), 307ParameterOption (class in workfront.versions.v40), 80parameters (workfront.versions.unsupported.Customer

attribute), 228parameters (workfront.versions.v40.Customer attribute),

44ParameterValue (class in work-

front.versions.unsupported), 308parent (workfront.versions.unsupported.Approval at-

tribute), 183parent (workfront.versions.unsupported.CustomMenuCustomMenu

attribute), 221parent (workfront.versions.unsupported.DocumentFolder

attribute), 243parent (workfront.versions.unsupported.Group attribute),

269parent (workfront.versions.unsupported.Issue attribute),

278parent (workfront.versions.unsupported.QueueTopicGroup

attribute), 339parent (workfront.versions.unsupported.Task attribute),

369

546 Index

python-workfront Documentation, Release 0.8.0

parent (workfront.versions.unsupported.TemplateTask at-tribute), 387

parent (workfront.versions.unsupported.Work attribute),427

parent (workfront.versions.v40.Approval attribute), 22parent (workfront.versions.v40.DocumentFolder at-

tribute), 50parent (workfront.versions.v40.Issue attribute), 65parent (workfront.versions.v40.Task attribute), 115parent (workfront.versions.v40.TemplateTask attribute),

128parent (workfront.versions.v40.Work attribute), 151parent_endorsement (work-

front.versions.unsupported.Note attribute),302

parent_endorsement_id (work-front.versions.unsupported.Note attribute),302

parent_endorsement_id (workfront.versions.v40.Note at-tribute), 77

parent_id (workfront.versions.unsupported.Approval at-tribute), 183

parent_id (workfront.versions.unsupported.CustomMenuCustomMenuattribute), 221

parent_id (workfront.versions.unsupported.DocumentFolderattribute), 243

parent_id (workfront.versions.unsupported.Group at-tribute), 269

parent_id (workfront.versions.unsupported.QueueTopicGroupattribute), 339

parent_id (workfront.versions.unsupported.Task at-tribute), 369

parent_id (workfront.versions.unsupported.TemplateTaskattribute), 387

parent_id (workfront.versions.unsupported.Work at-tribute), 427

parent_id (workfront.versions.v40.Approval attribute), 22parent_id (workfront.versions.v40.DocumentFolder at-

tribute), 51parent_id (workfront.versions.v40.Task attribute), 115parent_id (workfront.versions.v40.TemplateTask at-

tribute), 128parent_id (workfront.versions.v40.Work attribute), 151parent_journal_entry (work-

front.versions.unsupported.Note attribute),302

parent_journal_entry (workfront.versions.v40.Note at-tribute), 77

parent_journal_entry_id (work-front.versions.unsupported.Note attribute),302

parent_journal_entry_id (workfront.versions.v40.Note at-tribute), 77

parent_lag (workfront.versions.unsupported.Approval at-

tribute), 183parent_lag (workfront.versions.unsupported.Task at-

tribute), 369parent_lag (workfront.versions.unsupported.TemplateTask

attribute), 387parent_lag (workfront.versions.unsupported.Work at-

tribute), 427parent_lag (workfront.versions.v40.Approval attribute),

22parent_lag (workfront.versions.v40.Task attribute), 115parent_lag (workfront.versions.v40.TemplateTask at-

tribute), 128parent_lag (workfront.versions.v40.Work attribute), 151parent_lag_type (work-

front.versions.unsupported.Approval attribute),183

parent_lag_type (workfront.versions.unsupported.Taskattribute), 369

parent_lag_type (work-front.versions.unsupported.TemplateTaskattribute), 387

parent_lag_type (workfront.versions.unsupported.Workattribute), 427

parent_lag_type (workfront.versions.v40.Approvalattribute), 22

parent_lag_type (workfront.versions.v40.Task attribute),115

parent_lag_type (workfront.versions.v40.TemplateTaskattribute), 128

parent_lag_type (workfront.versions.v40.Work attribute),151

parent_note (workfront.versions.unsupported.Noteattribute), 302

parent_note (workfront.versions.v40.Note attribute), 77parent_note_id (workfront.versions.unsupported.Note at-

tribute), 302parent_note_id (workfront.versions.v40.Note attribute),

77parent_topic (workfront.versions.unsupported.QueueTopic

attribute), 339parent_topic (workfront.versions.v40.QueueTopic at-

tribute), 98parent_topic_group (work-

front.versions.unsupported.QueueTopic at-tribute), 339

parent_topic_group_id (work-front.versions.unsupported.QueueTopic at-tribute), 339

parent_topic_id (workfront.versions.unsupported.QueueTopicattribute), 339

parent_topic_id (workfront.versions.v40.QueueTopic at-tribute), 98

password (workfront.versions.unsupported.AccountRepattribute), 166

Index 547

python-workfront Documentation, Release 0.8.0

password (workfront.versions.unsupported.User at-tribute), 408

password (workfront.versions.v40.User attribute), 142password_config_map (work-

front.versions.unsupported.Customer attribute),228

password_config_map_id (work-front.versions.unsupported.Customer attribute),228

password_config_map_id (work-front.versions.v40.Customer attribute), 44

password_date (workfront.versions.unsupported.User at-tribute), 408

password_date (workfront.versions.v40.User attribute),142

path (workfront.versions.unsupported.ExternalDocumentattribute), 264

pay_period_type (work-front.versions.unsupported.TimesheetProfileattribute), 393

pending_approval (work-front.versions.unsupported.DocumentShareattribute), 249

pending_calculation (work-front.versions.unsupported.Approval attribute),183

pending_calculation (work-front.versions.unsupported.Project attribute),331

pending_calculation (work-front.versions.unsupported.Task attribute),369

pending_calculation (work-front.versions.unsupported.Template attribute),379

pending_calculation (work-front.versions.unsupported.TemplateTaskattribute), 387

pending_calculation (work-front.versions.unsupported.Work attribute),427

pending_predecessors (work-front.versions.unsupported.Approval attribute),183

pending_predecessors (work-front.versions.unsupported.Task attribute),369

pending_predecessors (work-front.versions.unsupported.Work attribute),427

pending_update_methods (work-front.versions.unsupported.Approval attribute),183

pending_update_methods (work-

front.versions.unsupported.Project attribute),331

pending_update_methods (work-front.versions.unsupported.Task attribute),370

pending_update_methods (work-front.versions.unsupported.Template attribute),380

pending_update_methods (work-front.versions.unsupported.TemplateTaskattribute), 387

pending_update_methods (work-front.versions.unsupported.Work attribute),427

percent_complete (work-front.versions.unsupported.Approval attribute),183

percent_complete (work-front.versions.unsupported.BackgroundJobattribute), 202

percent_complete (work-front.versions.unsupported.Baseline attribute),204

percent_complete (work-front.versions.unsupported.BaselineTaskattribute), 205

percent_complete (work-front.versions.unsupported.CalendarFeedEntryattribute), 209

percent_complete (work-front.versions.unsupported.Iteration attribute),283

percent_complete (work-front.versions.unsupported.Project attribute),331

percent_complete (workfront.versions.unsupported.Taskattribute), 370

percent_complete (workfront.versions.unsupported.Workattribute), 427

percent_complete (workfront.versions.v40.Approval at-tribute), 22

percent_complete (workfront.versions.v40.Baseline at-tribute), 34

percent_complete (workfront.versions.v40.BaselineTaskattribute), 36

percent_complete (workfront.versions.v40.Iteration at-tribute), 69

percent_complete (workfront.versions.v40.Projectattribute), 92

percent_complete (workfront.versions.v40.Task at-tribute), 115

percent_complete (workfront.versions.v40.Work at-tribute), 151

perform_upgrade() (work-

548 Index

python-workfront Documentation, Release 0.8.0

front.versions.unsupported.Authenticationmethod), 198

performance_index_method (work-front.versions.unsupported.Approval attribute),183

performance_index_method (work-front.versions.unsupported.Project attribute),331

performance_index_method (work-front.versions.unsupported.Template attribute),380

performance_index_method (work-front.versions.v40.Approval attribute), 22

performance_index_method (work-front.versions.v40.Project attribute), 92

performance_index_method (work-front.versions.v40.Template attribute), 123

period_start (workfront.versions.unsupported.TimesheetProfileattribute), 393

period_start_display_name (work-front.versions.unsupported.TimesheetProfileattribute), 393

persona (workfront.versions.unsupported.User attribute),408

persona (workfront.versions.v40.User attribute), 142personal (workfront.versions.unsupported.Approval at-

tribute), 183personal (workfront.versions.unsupported.Project at-

tribute), 331personal (workfront.versions.unsupported.Task attribute),

370personal (workfront.versions.unsupported.Work at-

tribute), 427personal (workfront.versions.v40.Approval attribute), 22personal (workfront.versions.v40.Project attribute), 92personal (workfront.versions.v40.Task attribute), 116personal (workfront.versions.v40.Work attribute), 151phone_extension (workfront.versions.unsupported.User

attribute), 408phone_extension (workfront.versions.v40.User attribute),

142phone_number (workfront.versions.unsupported.AccountRep

attribute), 166phone_number (workfront.versions.unsupported.Customer

attribute), 228phone_number (workfront.versions.unsupported.Reseller

attribute), 344phone_number (workfront.versions.unsupported.User at-

tribute), 408phone_number (workfront.versions.v40.Customer at-

tribute), 44phone_number (workfront.versions.v40.User attribute),

142pin_timesheet_object() (work-

front.versions.unsupported.Timesheet method),391

pk_field_name (workfront.versions.unsupported.MetaRecordattribute), 298

pk_table_name (workfront.versions.unsupported.MetaRecordattribute), 298

planned_allocation_percent (work-front.versions.unsupported.UserAvailabilityattribute), 412

planned_amount (work-front.versions.unsupported.Expense attribute),261

planned_amount (workfront.versions.v40.Expenseattribute), 54

planned_assigned_minutes (work-front.versions.unsupported.UserAvailabilityattribute), 412

planned_benefit (work-front.versions.unsupported.Approval attribute),183

planned_benefit (workfront.versions.unsupported.Projectattribute), 331

planned_benefit (work-front.versions.unsupported.Template attribute),380

planned_benefit (workfront.versions.v40.Approvalattribute), 22

planned_benefit (workfront.versions.v40.Project at-tribute), 92

planned_completion_date (work-front.versions.unsupported.Approval attribute),183

planned_completion_date (work-front.versions.unsupported.Baseline attribute),204

planned_completion_date (work-front.versions.unsupported.BaselineTaskattribute), 205

planned_completion_date (work-front.versions.unsupported.Issue attribute),278

planned_completion_date (work-front.versions.unsupported.Project attribute),331

planned_completion_date (work-front.versions.unsupported.Task attribute),370

planned_completion_date (work-front.versions.unsupported.Work attribute),427

planned_completion_date (work-front.versions.v40.Approval attribute), 22

planned_completion_date (work-front.versions.v40.Baseline attribute), 34

Index 549

python-workfront Documentation, Release 0.8.0

planned_completion_date (work-front.versions.v40.BaselineTask attribute),36

planned_completion_date (workfront.versions.v40.Issueattribute), 65

planned_completion_date (work-front.versions.v40.Project attribute), 92

planned_completion_date (workfront.versions.v40.Taskattribute), 116

planned_completion_date (workfront.versions.v40.Workattribute), 151

planned_cost (workfront.versions.unsupported.Approvalattribute), 183

planned_cost (workfront.versions.unsupported.Baselineattribute), 204

planned_cost (workfront.versions.unsupported.BaselineTaskattribute), 205

planned_cost (workfront.versions.unsupported.MasterTaskattribute), 296

planned_cost (workfront.versions.unsupported.Project at-tribute), 331

planned_cost (workfront.versions.unsupported.Task at-tribute), 370

planned_cost (workfront.versions.unsupported.Templateattribute), 380

planned_cost (workfront.versions.unsupported.TemplateTaskattribute), 387

planned_cost (workfront.versions.unsupported.Work at-tribute), 427

planned_cost (workfront.versions.v40.Approval at-tribute), 22

planned_cost (workfront.versions.v40.Baseline attribute),34

planned_cost (workfront.versions.v40.BaselineTask at-tribute), 36

planned_cost (workfront.versions.v40.Project attribute),92

planned_cost (workfront.versions.v40.Task attribute),116

planned_cost (workfront.versions.v40.Template at-tribute), 123

planned_cost (workfront.versions.v40.TemplateTask at-tribute), 128

planned_cost (workfront.versions.v40.Work attribute),151

planned_date (workfront.versions.unsupported.CalendarSectionattribute), 212

planned_date (workfront.versions.unsupported.Expenseattribute), 261

planned_date (workfront.versions.v40.Expense attribute),54

planned_date_alignment (work-front.versions.unsupported.Approval attribute),183

planned_date_alignment (work-front.versions.unsupported.Issue attribute),278

planned_date_alignment (work-front.versions.unsupported.Project attribute),331

planned_date_alignment (work-front.versions.unsupported.Task attribute),370

planned_date_alignment (work-front.versions.unsupported.Work attribute),427

planned_date_alignment (work-front.versions.v40.Approval attribute), 22

planned_date_alignment (workfront.versions.v40.Issueattribute), 65

planned_date_alignment (workfront.versions.v40.Projectattribute), 92

planned_date_alignment (workfront.versions.v40.Taskattribute), 116

planned_date_alignment (workfront.versions.v40.Workattribute), 152

planned_duration (work-front.versions.unsupported.Approval attribute),183

planned_duration (workfront.versions.unsupported.Taskattribute), 370

planned_duration (work-front.versions.unsupported.TemplateTaskattribute), 387

planned_duration (workfront.versions.unsupported.Workattribute), 427

planned_duration (workfront.versions.v40.Approval at-tribute), 22

planned_duration (workfront.versions.v40.Task at-tribute), 116

planned_duration (workfront.versions.v40.TemplateTaskattribute), 128

planned_duration (workfront.versions.v40.Work at-tribute), 152

planned_duration_minutes (work-front.versions.unsupported.Approval attribute),183

planned_duration_minutes (work-front.versions.unsupported.Issue attribute),278

planned_duration_minutes (work-front.versions.unsupported.Task attribute),370

planned_duration_minutes (work-front.versions.unsupported.TemplateTaskattribute), 387

planned_duration_minutes (work-front.versions.unsupported.Work attribute),

550 Index

python-workfront Documentation, Release 0.8.0

427planned_duration_minutes (work-

front.versions.v40.Approval attribute), 22planned_duration_minutes (workfront.versions.v40.Task

attribute), 116planned_duration_minutes (work-

front.versions.v40.TemplateTask attribute),128

planned_duration_minutes (workfront.versions.v40.Workattribute), 152

planned_expense_cost (work-front.versions.unsupported.Approval attribute),183

planned_expense_cost (work-front.versions.unsupported.FinancialDataattribute), 267

planned_expense_cost (work-front.versions.unsupported.Project attribute),331

planned_expense_cost (work-front.versions.unsupported.Task attribute),370

planned_expense_cost (work-front.versions.unsupported.Template attribute),380

planned_expense_cost (work-front.versions.unsupported.TemplateTaskattribute), 387

planned_expense_cost (work-front.versions.unsupported.Work attribute),427

planned_expense_cost (workfront.versions.v40.Approvalattribute), 22

planned_expense_cost (work-front.versions.v40.FinancialData attribute),57

planned_expense_cost (workfront.versions.v40.Projectattribute), 92

planned_expense_cost (workfront.versions.v40.Task at-tribute), 116

planned_expense_cost (workfront.versions.v40.Templateattribute), 123

planned_expense_cost (work-front.versions.v40.TemplateTask attribute),128

planned_expense_cost (workfront.versions.v40.Work at-tribute), 152

planned_fixed_revenue (work-front.versions.unsupported.FinancialDataattribute), 267

planned_fixed_revenue (work-front.versions.v40.FinancialData attribute),57

planned_hours_alignment (work-

front.versions.unsupported.Approval attribute),184

planned_hours_alignment (work-front.versions.unsupported.Issue attribute),279

planned_hours_alignment (work-front.versions.unsupported.Project attribute),331

planned_hours_alignment (work-front.versions.unsupported.Task attribute),370

planned_hours_alignment (work-front.versions.unsupported.Work attribute),427

planned_hours_alignment (work-front.versions.v40.Approval attribute), 22

planned_hours_alignment (workfront.versions.v40.Issueattribute), 65

planned_hours_alignment (work-front.versions.v40.Project attribute), 92

planned_hours_alignment (workfront.versions.v40.Taskattribute), 116

planned_hours_alignment (workfront.versions.v40.Workattribute), 152

planned_labor_cost (work-front.versions.unsupported.Approval attribute),184

planned_labor_cost (work-front.versions.unsupported.FinancialDataattribute), 268

planned_labor_cost (work-front.versions.unsupported.Project attribute),331

planned_labor_cost (work-front.versions.unsupported.Task attribute),370

planned_labor_cost (work-front.versions.unsupported.Template attribute),380

planned_labor_cost (work-front.versions.unsupported.TemplateTaskattribute), 387

planned_labor_cost (work-front.versions.unsupported.Work attribute),427

planned_labor_cost (workfront.versions.v40.Approval at-tribute), 23

planned_labor_cost (work-front.versions.v40.FinancialData attribute),57

planned_labor_cost (workfront.versions.v40.Project at-tribute), 92

planned_labor_cost (workfront.versions.v40.Task at-tribute), 116

Index 551

python-workfront Documentation, Release 0.8.0

planned_labor_cost (workfront.versions.v40.Template at-tribute), 123

planned_labor_cost (work-front.versions.v40.TemplateTask attribute),128

planned_labor_cost (workfront.versions.v40.Workattribute), 152

planned_labor_cost_hours (work-front.versions.unsupported.FinancialDataattribute), 268

planned_labor_cost_hours (work-front.versions.v40.FinancialData attribute),57

planned_labor_revenue (work-front.versions.unsupported.FinancialDataattribute), 268

planned_labor_revenue (work-front.versions.v40.FinancialData attribute),57

planned_remaining_minutes (work-front.versions.unsupported.UserAvailabilityattribute), 412

planned_revenue (work-front.versions.unsupported.Approval attribute),184

planned_revenue (work-front.versions.unsupported.MasterTask at-tribute), 296

planned_revenue (work-front.versions.unsupported.Project attribute),331

planned_revenue (workfront.versions.unsupported.Taskattribute), 370

planned_revenue (work-front.versions.unsupported.Template attribute),380

planned_revenue (work-front.versions.unsupported.TemplateTaskattribute), 387

planned_revenue (workfront.versions.unsupported.Workattribute), 428

planned_revenue (workfront.versions.v40.Approval at-tribute), 23

planned_revenue (workfront.versions.v40.Project at-tribute), 92

planned_revenue (workfront.versions.v40.Task attribute),116

planned_revenue (workfront.versions.v40.Template at-tribute), 123

planned_revenue (workfront.versions.v40.TemplateTaskattribute), 129

planned_revenue (workfront.versions.v40.Work at-tribute), 152

planned_risk_cost (work-

front.versions.unsupported.Approval attribute),184

planned_risk_cost (work-front.versions.unsupported.Project attribute),331

planned_risk_cost (work-front.versions.unsupported.Template attribute),380

planned_risk_cost (workfront.versions.v40.Approval at-tribute), 23

planned_risk_cost (workfront.versions.v40.Projectattribute), 92

planned_risk_cost (workfront.versions.v40.Template at-tribute), 123

planned_start_date (work-front.versions.unsupported.Approval attribute),184

planned_start_date (work-front.versions.unsupported.Baseline attribute),204

planned_start_date (work-front.versions.unsupported.BaselineTaskattribute), 205

planned_start_date (work-front.versions.unsupported.Issue attribute),279

planned_start_date (work-front.versions.unsupported.Project attribute),331

planned_start_date (workfront.versions.unsupported.Taskattribute), 370

planned_start_date (work-front.versions.unsupported.Work attribute),428

planned_start_date (workfront.versions.v40.Approval at-tribute), 23

planned_start_date (workfront.versions.v40.Baseline at-tribute), 35

planned_start_date (workfront.versions.v40.BaselineTaskattribute), 36

planned_start_date (workfront.versions.v40.Issue at-tribute), 65

planned_start_date (workfront.versions.v40.Project at-tribute), 92

planned_start_date (workfront.versions.v40.Task at-tribute), 116

planned_start_date (workfront.versions.v40.Work at-tribute), 152

planned_unit_amount (work-front.versions.unsupported.Expense attribute),261

planned_unit_amount (workfront.versions.v40.Expenseattribute), 54

planned_user_allocation_percentage (work-

552 Index

python-workfront Documentation, Release 0.8.0

front.versions.unsupported.Assignment at-tribute), 194

planned_value (workfront.versions.unsupported.Approvalattribute), 184

planned_value (workfront.versions.unsupported.Projectattribute), 331

planned_value (workfront.versions.v40.Approval at-tribute), 23

planned_value (workfront.versions.v40.Project attribute),92

po_number (workfront.versions.unsupported.BillingRecordattribute), 206

po_number (workfront.versions.v40.BillingRecordattribute), 37

pop_account (workfront.versions.unsupported.Approvalattribute), 184

pop_account (workfront.versions.unsupported.Project at-tribute), 332

pop_account_id (work-front.versions.unsupported.Approval attribute),184

pop_account_id (workfront.versions.unsupported.Projectattribute), 332

pop_account_id (workfront.versions.v40.Approvalattribute), 23

pop_account_id (workfront.versions.v40.Project at-tribute), 92

pop_disabled (workfront.versions.unsupported.PopAccountattribute), 310

pop_enforce_ssl (work-front.versions.unsupported.PopAccount at-tribute), 310

pop_errors (workfront.versions.unsupported.PopAccountattribute), 310

pop_password (workfront.versions.unsupported.PopAccountattribute), 310

pop_port (workfront.versions.unsupported.PopAccountattribute), 310

pop_server (workfront.versions.unsupported.PopAccountattribute), 310

pop_user (workfront.versions.unsupported.PopAccountattribute), 310

PopAccount (class in workfront.versions.unsupported),310

portal_profile (workfront.versions.unsupported.CustomMenuattribute), 221

portal_profile (workfront.versions.unsupported.PortalTabattribute), 317

portal_profile (workfront.versions.unsupported.User at-tribute), 408

portal_profile_id (work-front.versions.unsupported.PortalTab attribute),317

portal_profile_id (workfront.versions.unsupported.User

attribute), 408portal_profile_id (workfront.versions.v40.User attribute),

142portal_profiles (workfront.versions.unsupported.AppGlobal

attribute), 172portal_profiles (workfront.versions.unsupported.Customer

attribute), 228portal_section (workfront.versions.unsupported.ScheduledReport

attribute), 355portal_section_id (work-

front.versions.unsupported.ScheduledReportattribute), 355

portal_section_obj_code (work-front.versions.unsupported.PortalTabSectionattribute), 317

portal_section_obj_id (work-front.versions.unsupported.PortalTabSectionattribute), 317

portal_sections (workfront.versions.unsupported.AppGlobalattribute), 172

portal_sections (workfront.versions.unsupported.Customerattribute), 228

portal_sections (workfront.versions.unsupported.PortalProfileattribute), 311

portal_sections (workfront.versions.unsupported.User at-tribute), 408

portal_tab (workfront.versions.unsupported.PortalTabSectionattribute), 317

portal_tab_id (workfront.versions.unsupported.PortalTabSectionattribute), 318

portal_tab_sections (work-front.versions.unsupported.PortalSectionattribute), 314

portal_tab_sections (work-front.versions.unsupported.PortalTab attribute),317

portal_tabs (workfront.versions.unsupported.PortalProfileattribute), 311

portal_tabs (workfront.versions.unsupported.User at-tribute), 408

PortalProfile (class in workfront.versions.unsupported),310

PortalSection (class in workfront.versions.unsupported),311

PortalTab (class in workfront.versions.unsupported), 315PortalTabSection (class in work-

front.versions.unsupported), 317Portfolio (class in workfront.versions.unsupported), 318Portfolio (class in workfront.versions.v40), 81portfolio (workfront.versions.unsupported.Approval at-

tribute), 184portfolio (workfront.versions.unsupported.Document at-

tribute), 238portfolio (workfront.versions.unsupported.DocumentFolder

Index 553

python-workfront Documentation, Release 0.8.0

attribute), 243portfolio (workfront.versions.unsupported.DocumentRequest

attribute), 247portfolio (workfront.versions.unsupported.Endorsement

attribute), 255portfolio (workfront.versions.unsupported.JournalEntry

attribute), 286portfolio (workfront.versions.unsupported.Note at-

tribute), 302portfolio (workfront.versions.unsupported.ParameterValue

attribute), 309portfolio (workfront.versions.unsupported.Program at-

tribute), 322portfolio (workfront.versions.unsupported.Project at-

tribute), 332portfolio (workfront.versions.unsupported.Template at-

tribute), 380portfolio (workfront.versions.v40.Approval attribute), 23portfolio (workfront.versions.v40.Document attribute),

48portfolio (workfront.versions.v40.DocumentFolder at-

tribute), 51portfolio (workfront.versions.v40.JournalEntry attribute),

71portfolio (workfront.versions.v40.Note attribute), 77portfolio (workfront.versions.v40.Program attribute), 84portfolio (workfront.versions.v40.Project attribute), 92portfolio_id (workfront.versions.unsupported.Approval

attribute), 184portfolio_id (workfront.versions.unsupported.Document

attribute), 238portfolio_id (workfront.versions.unsupported.DocumentFolder

attribute), 243portfolio_id (workfront.versions.unsupported.DocumentRequest

attribute), 247portfolio_id (workfront.versions.unsupported.Endorsement

attribute), 255portfolio_id (workfront.versions.unsupported.JournalEntry

attribute), 286portfolio_id (workfront.versions.unsupported.Note

attribute), 302portfolio_id (workfront.versions.unsupported.ParameterValue

attribute), 309portfolio_id (workfront.versions.unsupported.Program

attribute), 322portfolio_id (workfront.versions.unsupported.Project at-

tribute), 332portfolio_id (workfront.versions.unsupported.Template

attribute), 380portfolio_id (workfront.versions.v40.Approval attribute),

23portfolio_id (workfront.versions.v40.Document at-

tribute), 48portfolio_id (workfront.versions.v40.DocumentFolder at-

tribute), 51portfolio_id (workfront.versions.v40.JournalEntry

attribute), 71portfolio_id (workfront.versions.v40.Note attribute), 77portfolio_id (workfront.versions.v40.Program attribute),

85portfolio_id (workfront.versions.v40.Project attribute), 92portfolio_management_config_map (work-

front.versions.unsupported.Customer attribute),228

portfolio_management_config_map_id (work-front.versions.unsupported.Customer attribute),228

portfolio_management_config_map_id (work-front.versions.v40.Customer attribute), 44

portfolio_priority (work-front.versions.unsupported.Approval attribute),184

portfolio_priority (work-front.versions.unsupported.Project attribute),332

portfolio_priority (workfront.versions.v40.Approval at-tribute), 23

portfolio_priority (workfront.versions.v40.Project at-tribute), 92

possible_values (workfront.versions.unsupported.CustomerPreferencesattribute), 232

possible_values (workfront.versions.v40.CustomerPreferencesattribute), 46

post() (workfront.Session method), 9postal_code (workfront.versions.unsupported.Customer

attribute), 228postal_code (workfront.versions.unsupported.Reseller at-

tribute), 344postal_code (workfront.versions.unsupported.User

attribute), 408postal_code (workfront.versions.v40.Customer attribute),

44postal_code (workfront.versions.v40.User attribute), 142Predecessor (class in workfront.versions.unsupported),

319Predecessor (class in workfront.versions.v40), 83predecessor (workfront.versions.unsupported.Predecessor

attribute), 320predecessor (workfront.versions.unsupported.TemplatePredecessor

attribute), 383predecessor (workfront.versions.v40.Predecessor at-

tribute), 83predecessor (workfront.versions.v40.TemplatePredecessor

attribute), 125predecessor_expression (work-

front.versions.unsupported.Approval attribute),184

predecessor_expression (work-

554 Index

python-workfront Documentation, Release 0.8.0

front.versions.unsupported.Task attribute),370

predecessor_expression (work-front.versions.unsupported.TemplateTaskattribute), 387

predecessor_expression (work-front.versions.unsupported.Work attribute),428

predecessor_expression (work-front.versions.v40.Approval attribute), 23

predecessor_expression (workfront.versions.v40.Task at-tribute), 116

predecessor_expression (workfront.versions.v40.Workattribute), 152

predecessor_id (workfront.versions.unsupported.Predecessorattribute), 320

predecessor_id (workfront.versions.unsupported.TemplatePredecessorattribute), 383

predecessor_id (workfront.versions.v40.Predecessor at-tribute), 83

predecessor_id (workfront.versions.v40.TemplatePredecessorattribute), 125

predecessor_type (work-front.versions.unsupported.Predecessor at-tribute), 320

predecessor_type (work-front.versions.unsupported.TemplatePredecessorattribute), 383

predecessor_type (workfront.versions.v40.Predecessorattribute), 83

predecessor_type (work-front.versions.v40.TemplatePredecessorattribute), 125

predecessors (workfront.versions.unsupported.Approvalattribute), 184

predecessors (workfront.versions.unsupported.Task at-tribute), 370

predecessors (workfront.versions.unsupported.TemplateTaskattribute), 387

predecessors (workfront.versions.unsupported.Work at-tribute), 428

predecessors (workfront.versions.v40.Approval at-tribute), 23

predecessors (workfront.versions.v40.Task attribute), 116predecessors (workfront.versions.v40.TemplateTask at-

tribute), 129predecessors (workfront.versions.v40.Work attribute),

152pref_name (workfront.versions.unsupported.CustomerPref

attribute), 231pref_value (workfront.versions.unsupported.CustomerPref

attribute), 231Preference (class in workfront.versions.unsupported), 320preference (workfront.versions.unsupported.PortalSection

attribute), 314preference (workfront.versions.unsupported.UIFilter at-

tribute), 395preference (workfront.versions.unsupported.UIGroupBy

attribute), 397preference (workfront.versions.unsupported.UIView at-

tribute), 399preference_id (workfront.versions.unsupported.PortalSection

attribute), 314preference_id (workfront.versions.unsupported.UIFilter

attribute), 395preference_id (workfront.versions.unsupported.UIGroupBy

attribute), 397preference_id (workfront.versions.unsupported.UIView

attribute), 399preference_id (workfront.versions.v40.UIFilter attribute),

133preference_id (workfront.versions.v40.UIGroupBy at-

tribute), 134preference_id (workfront.versions.v40.UIView attribute),

136preview_url (workfront.versions.unsupported.Document

attribute), 238preview_url (workfront.versions.unsupported.ExternalDocument

attribute), 264preview_user_id (work-

front.versions.unsupported.Announcementattribute), 168

previous_status (workfront.versions.unsupported.Approvalattribute), 184

previous_status (workfront.versions.unsupported.ApprovalProcessAttachableattribute), 192

previous_status (workfront.versions.unsupported.Issueattribute), 279

previous_status (workfront.versions.unsupported.Projectattribute), 332

previous_status (workfront.versions.unsupported.Task at-tribute), 370

previous_status (workfront.versions.unsupported.Workattribute), 428

previous_status (workfront.versions.v40.Approvalattribute), 23

previous_status (workfront.versions.v40.Issue attribute),65

previous_status (workfront.versions.v40.Project at-tribute), 92

previous_status (workfront.versions.v40.Task attribute),116

previous_status (workfront.versions.v40.Work attribute),152

primary_assignment (work-front.versions.unsupported.Approval attribute),184

primary_assignment (work-

Index 555

python-workfront Documentation, Release 0.8.0

front.versions.unsupported.Issue attribute),279

primary_assignment (work-front.versions.unsupported.Task attribute),370

primary_assignment (work-front.versions.unsupported.Work attribute),428

primary_assignment (workfront.versions.v40.Approvalattribute), 23

primary_assignment (workfront.versions.v40.Issueattribute), 65

primary_assignment (workfront.versions.v40.Taskattribute), 116

primary_assignment (workfront.versions.v40.Work at-tribute), 152

priority (workfront.versions.unsupported.Approvalattribute), 184

priority (workfront.versions.unsupported.Issue attribute),279

priority (workfront.versions.unsupported.MasterTask at-tribute), 296

priority (workfront.versions.unsupported.Project at-tribute), 332

priority (workfront.versions.unsupported.Task attribute),370

priority (workfront.versions.unsupported.Templateattribute), 380

priority (workfront.versions.unsupported.TemplateTaskattribute), 387

priority (workfront.versions.unsupported.Work attribute),428

priority (workfront.versions.unsupported.WorkItem at-tribute), 432

priority (workfront.versions.v40.Approval attribute), 23priority (workfront.versions.v40.Issue attribute), 65priority (workfront.versions.v40.Project attribute), 93priority (workfront.versions.v40.Task attribute), 116priority (workfront.versions.v40.TemplateTask attribute),

129priority (workfront.versions.v40.Work attribute), 152priority (workfront.versions.v40.WorkItem attribute), 156probability (workfront.versions.unsupported.Risk at-

tribute), 347probability (workfront.versions.v40.Risk attribute), 101process_google_drive_change_notification() (work-

front.versions.unsupported.Document method),238

product_toggle (workfront.versions.unsupported.WhatsNewattribute), 420

Program (class in workfront.versions.unsupported), 320Program (class in workfront.versions.v40), 83program (workfront.versions.unsupported.Approval at-

tribute), 184

program (workfront.versions.unsupported.Document at-tribute), 238

program (workfront.versions.unsupported.DocumentFolderattribute), 244

program (workfront.versions.unsupported.DocumentRequestattribute), 247

program (workfront.versions.unsupported.Endorsementattribute), 255

program (workfront.versions.unsupported.JournalEntryattribute), 286

program (workfront.versions.unsupported.Note attribute),302

program (workfront.versions.unsupported.ParameterValueattribute), 309

program (workfront.versions.unsupported.Project at-tribute), 332

program (workfront.versions.unsupported.Template at-tribute), 380

program (workfront.versions.v40.Approval attribute), 23program (workfront.versions.v40.Document attribute), 48program (workfront.versions.v40.DocumentFolder

attribute), 51program (workfront.versions.v40.JournalEntry attribute),

71program (workfront.versions.v40.Note attribute), 77program (workfront.versions.v40.Project attribute), 93program_id (workfront.versions.unsupported.Approval

attribute), 184program_id (workfront.versions.unsupported.Document

attribute), 239program_id (workfront.versions.unsupported.DocumentFolder

attribute), 244program_id (workfront.versions.unsupported.DocumentRequest

attribute), 248program_id (workfront.versions.unsupported.Endorsement

attribute), 255program_id (workfront.versions.unsupported.JournalEntry

attribute), 286program_id (workfront.versions.unsupported.Note

attribute), 303program_id (workfront.versions.unsupported.ParameterValue

attribute), 309program_id (workfront.versions.unsupported.Project at-

tribute), 332program_id (workfront.versions.unsupported.Template

attribute), 380program_id (workfront.versions.v40.Approval attribute),

23program_id (workfront.versions.v40.Document at-

tribute), 48program_id (workfront.versions.v40.DocumentFolder at-

tribute), 51program_id (workfront.versions.v40.JournalEntry at-

tribute), 71

556 Index

python-workfront Documentation, Release 0.8.0

program_id (workfront.versions.v40.Note attribute), 77program_id (workfront.versions.v40.Project attribute), 93programs (workfront.versions.unsupported.Portfolio at-

tribute), 319programs (workfront.versions.v40.Portfolio attribute), 83progress (workfront.versions.unsupported.BackgroundJob

attribute), 202progress_status (workfront.versions.unsupported.Approval

attribute), 184progress_status (workfront.versions.unsupported.Baseline

attribute), 204progress_status (workfront.versions.unsupported.BaselineTask

attribute), 205progress_status (workfront.versions.unsupported.Project

attribute), 332progress_status (workfront.versions.unsupported.Task at-

tribute), 370progress_status (workfront.versions.unsupported.Work

attribute), 428progress_status (workfront.versions.v40.Approval at-

tribute), 23progress_status (workfront.versions.v40.Baseline at-

tribute), 35progress_status (workfront.versions.v40.BaselineTask at-

tribute), 36progress_status (workfront.versions.v40.Project at-

tribute), 93progress_status (workfront.versions.v40.Task attribute),

116progress_status (workfront.versions.v40.Work attribute),

152progress_text (workfront.versions.unsupported.BackgroundJob

attribute), 202Project (class in workfront.versions.unsupported), 322Project (class in workfront.versions.v40), 85project (workfront.versions.unsupported.Approval

attribute), 184project (workfront.versions.unsupported.ApproverStatus

attribute), 193project (workfront.versions.unsupported.Assignment at-

tribute), 195project (workfront.versions.unsupported.AwaitingApproval

attribute), 200project (workfront.versions.unsupported.Baseline at-

tribute), 204project (workfront.versions.unsupported.BillingRecord

attribute), 206project (workfront.versions.unsupported.CalendarFeedEntry

attribute), 209project (workfront.versions.unsupported.Document at-

tribute), 239project (workfront.versions.unsupported.DocumentFolder

attribute), 244project (workfront.versions.unsupported.DocumentRequest

attribute), 248project (workfront.versions.unsupported.Endorsement at-

tribute), 255project (workfront.versions.unsupported.ExchangeRate

attribute), 258project (workfront.versions.unsupported.Expense at-

tribute), 261project (workfront.versions.unsupported.FinancialData

attribute), 268project (workfront.versions.unsupported.Hour attribute),

271project (workfront.versions.unsupported.Issue attribute),

279project (workfront.versions.unsupported.JournalEntry at-

tribute), 286project (workfront.versions.unsupported.Note attribute),

303project (workfront.versions.unsupported.NotificationRecord

attribute), 305project (workfront.versions.unsupported.ParameterValue

attribute), 309project (workfront.versions.unsupported.PopAccount at-

tribute), 310project (workfront.versions.unsupported.Project at-

tribute), 332project (workfront.versions.unsupported.ProjectUser at-

tribute), 335project (workfront.versions.unsupported.ProjectUserRole

attribute), 336project (workfront.versions.unsupported.QueueDef at-

tribute), 337project (workfront.versions.unsupported.Rate attribute),

340project (workfront.versions.unsupported.ResourceAllocation

attribute), 345project (workfront.versions.unsupported.Risk attribute),

347project (workfront.versions.unsupported.RoutingRule at-

tribute), 349project (workfront.versions.unsupported.ScoreCard at-

tribute), 357project (workfront.versions.unsupported.ScoreCardAnswer

attribute), 358project (workfront.versions.unsupported.SharingSettings

attribute), 361project (workfront.versions.unsupported.Task attribute),

370project (workfront.versions.unsupported.TimesheetTemplate

attribute), 393project (workfront.versions.unsupported.WatchListEntry

attribute), 419project (workfront.versions.unsupported.Work attribute),

428project (workfront.versions.unsupported.WorkItem at-

Index 557

python-workfront Documentation, Release 0.8.0

tribute), 432project (workfront.versions.v40.Approval attribute), 23project (workfront.versions.v40.ApproverStatus at-

tribute), 31project (workfront.versions.v40.Assignment attribute), 32project (workfront.versions.v40.Baseline attribute), 35project (workfront.versions.v40.BillingRecord attribute),

37project (workfront.versions.v40.Document attribute), 48project (workfront.versions.v40.DocumentFolder at-

tribute), 51project (workfront.versions.v40.ExchangeRate attribute),

53project (workfront.versions.v40.Expense attribute), 54project (workfront.versions.v40.FinancialData attribute),

57project (workfront.versions.v40.Hour attribute), 59project (workfront.versions.v40.Issue attribute), 65project (workfront.versions.v40.JournalEntry attribute),

71project (workfront.versions.v40.Note attribute), 77project (workfront.versions.v40.Project attribute), 93project (workfront.versions.v40.ProjectUser attribute), 95project (workfront.versions.v40.ProjectUserRole at-

tribute), 96project (workfront.versions.v40.QueueDef attribute), 97project (workfront.versions.v40.Rate attribute), 99project (workfront.versions.v40.ResourceAllocation at-

tribute), 100project (workfront.versions.v40.Risk attribute), 101project (workfront.versions.v40.RoutingRule attribute),

103project (workfront.versions.v40.ScoreCard attribute), 106project (workfront.versions.v40.ScoreCardAnswer

attribute), 106project (workfront.versions.v40.Task attribute), 116project (workfront.versions.v40.Work attribute), 152project (workfront.versions.v40.WorkItem attribute), 156project_display_name (work-

front.versions.unsupported.CalendarFeedEntryattribute), 209

project_id (workfront.versions.unsupported.Approval at-tribute), 184

project_id (workfront.versions.unsupported.ApproverStatusattribute), 193

project_id (workfront.versions.unsupported.Assignmentattribute), 195

project_id (workfront.versions.unsupported.AwaitingApprovalattribute), 201

project_id (workfront.versions.unsupported.Baseline at-tribute), 204

project_id (workfront.versions.unsupported.BillingRecordattribute), 206

project_id (workfront.versions.unsupported.CalendarFeedEntry

attribute), 209project_id (workfront.versions.unsupported.Document

attribute), 239project_id (workfront.versions.unsupported.DocumentFolder

attribute), 244project_id (workfront.versions.unsupported.DocumentRequest

attribute), 248project_id (workfront.versions.unsupported.Endorsement

attribute), 255project_id (workfront.versions.unsupported.ExchangeRate

attribute), 259project_id (workfront.versions.unsupported.Expense at-

tribute), 261project_id (workfront.versions.unsupported.FinancialData

attribute), 268project_id (workfront.versions.unsupported.Hour at-

tribute), 271project_id (workfront.versions.unsupported.Issue at-

tribute), 279project_id (workfront.versions.unsupported.JournalEntry

attribute), 287project_id (workfront.versions.unsupported.Note at-

tribute), 303project_id (workfront.versions.unsupported.NotificationRecord

attribute), 305project_id (workfront.versions.unsupported.ParameterValue

attribute), 309project_id (workfront.versions.unsupported.PopAccount

attribute), 310project_id (workfront.versions.unsupported.ProjectUser

attribute), 335project_id (workfront.versions.unsupported.ProjectUserRole

attribute), 336project_id (workfront.versions.unsupported.QueueDef at-

tribute), 337project_id (workfront.versions.unsupported.Rate at-

tribute), 340project_id (workfront.versions.unsupported.RecentUpdate

attribute), 342project_id (workfront.versions.unsupported.ResourceAllocation

attribute), 345project_id (workfront.versions.unsupported.Risk at-

tribute), 347project_id (workfront.versions.unsupported.RoutingRule

attribute), 349project_id (workfront.versions.unsupported.ScoreCard

attribute), 357project_id (workfront.versions.unsupported.ScoreCardAnswer

attribute), 358project_id (workfront.versions.unsupported.SharingSettings

attribute), 361project_id (workfront.versions.unsupported.Task at-

tribute), 370project_id (workfront.versions.unsupported.TimesheetTemplate

558 Index

python-workfront Documentation, Release 0.8.0

attribute), 393project_id (workfront.versions.unsupported.WatchListEntry

attribute), 419project_id (workfront.versions.unsupported.Work at-

tribute), 428project_id (workfront.versions.unsupported.WorkItem at-

tribute), 432project_id (workfront.versions.v40.Approval attribute),

23project_id (workfront.versions.v40.ApproverStatus at-

tribute), 31project_id (workfront.versions.v40.Assignment at-

tribute), 32project_id (workfront.versions.v40.Baseline attribute), 35project_id (workfront.versions.v40.BillingRecord at-

tribute), 37project_id (workfront.versions.v40.Document attribute),

48project_id (workfront.versions.v40.DocumentFolder at-

tribute), 51project_id (workfront.versions.v40.ExchangeRate at-

tribute), 53project_id (workfront.versions.v40.Expense attribute), 55project_id (workfront.versions.v40.FinancialData at-

tribute), 57project_id (workfront.versions.v40.Hour attribute), 59project_id (workfront.versions.v40.Issue attribute), 65project_id (workfront.versions.v40.JournalEntry at-

tribute), 71project_id (workfront.versions.v40.Note attribute), 77project_id (workfront.versions.v40.ProjectUser attribute),

96project_id (workfront.versions.v40.ProjectUserRole at-

tribute), 96project_id (workfront.versions.v40.QueueDef attribute),

97project_id (workfront.versions.v40.Rate attribute), 99project_id (workfront.versions.v40.ResourceAllocation

attribute), 100project_id (workfront.versions.v40.Risk attribute), 101project_id (workfront.versions.v40.RoutingRule at-

tribute), 103project_id (workfront.versions.v40.ScoreCard attribute),

106project_id (workfront.versions.v40.ScoreCardAnswer at-

tribute), 106project_id (workfront.versions.v40.Task attribute), 116project_id (workfront.versions.v40.Work attribute), 152project_id (workfront.versions.v40.WorkItem attribute),

156project_management_config_map (work-

front.versions.unsupported.Customer attribute),228

project_management_config_map_id (work-

front.versions.unsupported.Customer attribute),228

project_management_config_map_id (work-front.versions.v40.Customer attribute), 44

project_name (workfront.versions.unsupported.RecentUpdateattribute), 342

project_overhead (workfront.versions.unsupported.Hourattribute), 271

project_overhead (workfront.versions.v40.Hour at-tribute), 59

project_overhead_id (work-front.versions.unsupported.Hour attribute),271

project_overhead_id (workfront.versions.v40.Hour at-tribute), 59

project_user_roles (work-front.versions.unsupported.Approval attribute),185

project_user_roles (work-front.versions.unsupported.Project attribute),332

project_user_roles (workfront.versions.v40.Approval at-tribute), 23

project_user_roles (workfront.versions.v40.Projectattribute), 93

project_users (workfront.versions.unsupported.Approvalattribute), 185

project_users (workfront.versions.unsupported.Project at-tribute), 332

project_users (workfront.versions.v40.Approval at-tribute), 23

project_users (workfront.versions.v40.Project attribute),93

projected_allocation_percent (work-front.versions.unsupported.UserAvailabilityattribute), 412

projected_allocation_percentage (work-front.versions.unsupported.UserResourceattribute), 418

projected_assigned_minutes (work-front.versions.unsupported.UserAvailabilityattribute), 412

projected_avg_work_per_day (work-front.versions.unsupported.Assignment at-tribute), 195

projected_completion_date (work-front.versions.unsupported.Approval attribute),185

projected_completion_date (work-front.versions.unsupported.Baseline attribute),204

projected_completion_date (work-front.versions.unsupported.BaselineTaskattribute), 205

Index 559

python-workfront Documentation, Release 0.8.0

projected_completion_date (work-front.versions.unsupported.Issue attribute),279

projected_completion_date (work-front.versions.unsupported.Project attribute),332

projected_completion_date (work-front.versions.unsupported.Task attribute),371

projected_completion_date (work-front.versions.unsupported.Work attribute),428

projected_completion_date (work-front.versions.v40.Approval attribute), 24

projected_completion_date (work-front.versions.v40.Baseline attribute), 35

projected_completion_date (work-front.versions.v40.BaselineTask attribute),36

projected_completion_date (work-front.versions.v40.Project attribute), 93

projected_completion_date (workfront.versions.v40.Taskattribute), 116

projected_completion_date (work-front.versions.v40.Work attribute), 152

projected_day_summaries (work-front.versions.unsupported.UserResourceattribute), 418

projected_duration_minutes (work-front.versions.unsupported.Approval attribute),185

projected_duration_minutes (work-front.versions.unsupported.Issue attribute),279

projected_duration_minutes (work-front.versions.unsupported.Task attribute),371

projected_duration_minutes (work-front.versions.unsupported.Work attribute),428

projected_duration_minutes (work-front.versions.v40.Approval attribute), 24

projected_duration_minutes (work-front.versions.v40.Issue attribute), 65

projected_duration_minutes (work-front.versions.v40.Task attribute), 116

projected_duration_minutes (work-front.versions.v40.Work attribute), 152

projected_remaining_minutes (work-front.versions.unsupported.UserAvailabilityattribute), 412

projected_scheduled_hours (work-front.versions.unsupported.ResourceAllocationattribute), 345

projected_start_date (work-front.versions.unsupported.Approval attribute),185

projected_start_date (work-front.versions.unsupported.Baseline attribute),204

projected_start_date (work-front.versions.unsupported.BaselineTaskattribute), 205

projected_start_date (work-front.versions.unsupported.Issue attribute),279

projected_start_date (work-front.versions.unsupported.Project attribute),332

projected_start_date (work-front.versions.unsupported.Task attribute),371

projected_start_date (work-front.versions.unsupported.Work attribute),428

projected_start_date (workfront.versions.v40.Approvalattribute), 24

projected_start_date (workfront.versions.v40.Baseline at-tribute), 35

projected_start_date (work-front.versions.v40.BaselineTask attribute),36

projected_start_date (workfront.versions.v40.Issueattribute), 65

projected_start_date (workfront.versions.v40.Project at-tribute), 93

projected_start_date (workfront.versions.v40.Taskattribute), 117

projected_start_date (workfront.versions.v40.Work at-tribute), 152

projected_user_allocation_percentage (work-front.versions.unsupported.Assignment at-tribute), 195

projects (workfront.versions.unsupported.Portfolioattribute), 319

projects (workfront.versions.unsupported.Programattribute), 322

projects (workfront.versions.v40.Portfolio attribute), 83projects (workfront.versions.v40.Program attribute), 85ProjectUser (class in workfront.versions.unsupported),

335ProjectUser (class in workfront.versions.v40), 95ProjectUserRole (class in work-

front.versions.unsupported), 336ProjectUserRole (class in workfront.versions.v40), 96proof_account_id (work-

front.versions.unsupported.Customer attribute),228

560 Index

python-workfront Documentation, Release 0.8.0

proof_account_id (workfront.versions.v40.Customer at-tribute), 44

proof_account_password (workfront.versions.v40.Userattribute), 142

proof_id (workfront.versions.unsupported.DocumentVersionattribute), 252

proof_id (workfront.versions.v40.DocumentVersion at-tribute), 52

proof_stage_id (workfront.versions.unsupported.DocumentVersionattribute), 252

proof_status (workfront.versions.unsupported.DocumentVersionattribute), 252

proof_status (workfront.versions.v40.DocumentVersionattribute), 52

proof_status_date (work-front.versions.unsupported.DocumentVersionattribute), 252

proof_status_msg_key (work-front.versions.unsupported.DocumentVersionattribute), 252

provider_port (workfront.versions.unsupported.SSOOptionattribute), 351

provider_type (workfront.versions.unsupported.ExternalDocumentattribute), 264

provider_url (workfront.versions.unsupported.SSOOptionattribute), 351

provision_users (workfront.versions.unsupported.SSOOptionattribute), 351

public_file_handle() (work-front.versions.unsupported.DocumentVersionmethod), 252

public_run_as_user (work-front.versions.unsupported.PortalSectionattribute), 314

public_run_as_user_id (work-front.versions.unsupported.PortalSectionattribute), 314

public_token (workfront.versions.unsupported.CalendarInfoattribute), 210

public_token (workfront.versions.unsupported.Documentattribute), 239

public_token (workfront.versions.unsupported.PortalSectionattribute), 314

public_token (workfront.versions.v40.Document at-tribute), 48

put() (workfront.Session method), 9

Qquarter_label (workfront.versions.unsupported.CustomQuarter

attribute), 222query_expression (work-

front.versions.unsupported.AppEvent at-tribute), 171

query_limit (workfront.versions.unsupported.Customerattribute), 228

queue_def (workfront.versions.unsupported.Approval at-tribute), 185

queue_def (workfront.versions.unsupported.Project at-tribute), 332

queue_def (workfront.versions.unsupported.QueueTopicattribute), 339

queue_def (workfront.versions.unsupported.QueueTopicGroupattribute), 339

queue_def (workfront.versions.unsupported.Template at-tribute), 380

queue_def (workfront.versions.v40.Approval attribute),24

queue_def (workfront.versions.v40.Project attribute), 93queue_def (workfront.versions.v40.QueueTopic at-

tribute), 98queue_def (workfront.versions.v40.Template attribute),

123queue_def_id (workfront.versions.unsupported.Approval

attribute), 185queue_def_id (workfront.versions.unsupported.Project

attribute), 332queue_def_id (workfront.versions.unsupported.QueueTopic

attribute), 339queue_def_id (workfront.versions.unsupported.QueueTopicGroup

attribute), 339queue_def_id (workfront.versions.unsupported.Template

attribute), 380queue_def_id (workfront.versions.v40.Approval at-

tribute), 24queue_def_id (workfront.versions.v40.Project attribute),

93queue_def_id (workfront.versions.v40.QueueTopic at-

tribute), 98queue_def_id (workfront.versions.v40.Template at-

tribute), 123queue_topic (workfront.versions.unsupported.Approval

attribute), 185queue_topic (workfront.versions.unsupported.Issue at-

tribute), 279queue_topic (workfront.versions.unsupported.Work at-

tribute), 428queue_topic (workfront.versions.v40.Approval attribute),

24queue_topic (workfront.versions.v40.Issue attribute), 65queue_topic (workfront.versions.v40.Work attribute), 152queue_topic_breadcrumb (work-

front.versions.unsupported.Approval attribute),185

queue_topic_breadcrumb (work-front.versions.unsupported.Issue attribute),279

queue_topic_breadcrumb (work-

Index 561

python-workfront Documentation, Release 0.8.0

front.versions.unsupported.Work attribute),428

queue_topic_groups (work-front.versions.unsupported.QueueTopicGroupattribute), 339

queue_topic_id (workfront.versions.unsupported.Approvalattribute), 185

queue_topic_id (workfront.versions.unsupported.Issueattribute), 279

queue_topic_id (workfront.versions.unsupported.Workattribute), 428

queue_topic_id (workfront.versions.v40.Approval at-tribute), 24

queue_topic_id (workfront.versions.v40.Issue attribute),65

queue_topic_id (workfront.versions.v40.Work attribute),152

queue_topics (workfront.versions.unsupported.QueueDefattribute), 337

queue_topics (workfront.versions.unsupported.QueueTopicGroupattribute), 339

queue_topics (workfront.versions.v40.QueueDef at-tribute), 97

QueueDef (class in workfront.versions.unsupported), 336QueueDef (class in workfront.versions.v40), 96QueueTopic (class in workfront.versions.unsupported),

338QueueTopic (class in workfront.versions.v40), 97QueueTopicGroup (class in work-

front.versions.unsupported), 339

Rrank (workfront.versions.unsupported.AccessLevel at-

tribute), 160Rate (class in workfront.versions.unsupported), 340Rate (class in workfront.versions.v40), 98rate (workfront.versions.unsupported.ExchangeRate at-

tribute), 259rate (workfront.versions.unsupported.ExpenseType at-

tribute), 262rate (workfront.versions.v40.ExchangeRate attribute), 53rate (workfront.versions.v40.ExpenseType attribute), 56rate_unit (workfront.versions.unsupported.ExpenseType

attribute), 262rate_unit (workfront.versions.v40.ExpenseType at-

tribute), 56rate_value (workfront.versions.unsupported.Rate at-

tribute), 340rate_value (workfront.versions.v40.Rate attribute), 99rates (workfront.versions.unsupported.Approval at-

tribute), 185rates (workfront.versions.unsupported.Company at-

tribute), 218

rates (workfront.versions.unsupported.Project attribute),332

rates (workfront.versions.unsupported.Template at-tribute), 380

rates (workfront.versions.v40.Approval attribute), 24rates (workfront.versions.v40.Company attribute), 40rates (workfront.versions.v40.Project attribute), 93read_only (workfront.versions.unsupported.ExternalDocument

attribute), 264recall() (workfront.versions.unsupported.AccessRequest

method), 162recall_approval() (workfront.versions.unsupported.Issue

method), 279recall_approval() (work-

front.versions.unsupported.Project method),332

recall_approval() (workfront.versions.unsupported.Taskmethod), 371

recall_approval() (workfront.versions.v40.Issue method),66

recall_approval() (workfront.versions.v40.Projectmethod), 93

recall_approval() (workfront.versions.v40.Task method),117

receiver (workfront.versions.unsupported.Endorsementattribute), 255

receiver_id (workfront.versions.unsupported.Endorsementattribute), 255

Recent (class in workfront.versions.unsupported), 340recent_item_string (work-

front.versions.unsupported.RecentMenuItemattribute), 341

RecentMenuItem (class in work-front.versions.unsupported), 341

RecentUpdate (class in workfront.versions.unsupported),342

recipient_id (workfront.versions.unsupported.AnnouncementRecipientattribute), 170

recipient_obj_code (work-front.versions.unsupported.AnnouncementRecipientattribute), 170

recipient_types (workfront.versions.unsupported.Announcementattribute), 168

recipients (workfront.versions.unsupported.NotificationRecordattribute), 305

recipients (workfront.versions.unsupported.ScheduledReportattribute), 355

recipients (workfront.versions.unsupported.TimedNotificationattribute), 390

record_limit (workfront.versions.unsupported.Customerattribute), 228

record_limit (workfront.versions.v40.Customer at-tribute), 44

recur_on (workfront.versions.unsupported.RecurrenceRule

562 Index

python-workfront Documentation, Release 0.8.0

attribute), 343recurrence_count (work-

front.versions.unsupported.RecurrenceRuleattribute), 343

recurrence_interval (work-front.versions.unsupported.RecurrenceRuleattribute), 343

recurrence_number (work-front.versions.unsupported.Approval attribute),185

recurrence_number (work-front.versions.unsupported.Task attribute),371

recurrence_number (work-front.versions.unsupported.TemplateTaskattribute), 387

recurrence_number (work-front.versions.unsupported.Work attribute),428

recurrence_number (workfront.versions.v40.Approval at-tribute), 24

recurrence_number (workfront.versions.v40.Task at-tribute), 117

recurrence_number (work-front.versions.v40.TemplateTask attribute),129

recurrence_number (workfront.versions.v40.Workattribute), 153

recurrence_rule (workfront.versions.unsupported.Approvalattribute), 185

recurrence_rule (workfront.versions.unsupported.ScheduledReportattribute), 355

recurrence_rule (workfront.versions.unsupported.Task at-tribute), 371

recurrence_rule (workfront.versions.unsupported.TemplateTaskattribute), 387

recurrence_rule (workfront.versions.unsupported.Workattribute), 428

recurrence_rule_id (work-front.versions.unsupported.Approval attribute),185

recurrence_rule_id (workfront.versions.unsupported.Taskattribute), 371

recurrence_rule_id (work-front.versions.unsupported.TemplateTaskattribute), 388

recurrence_rule_id (work-front.versions.unsupported.Work attribute),428

recurrence_rule_id (workfront.versions.v40.Approval at-tribute), 24

recurrence_rule_id (workfront.versions.v40.Task at-tribute), 117

recurrence_rule_id (work-

front.versions.v40.TemplateTask attribute),129

recurrence_rule_id (workfront.versions.v40.Work at-tribute), 153

recurrence_type (work-front.versions.unsupported.RecurrenceRuleattribute), 343

RecurrenceRule (class in work-front.versions.unsupported), 343

ref_name (workfront.versions.unsupported.CalendarFeedEntryattribute), 209

ref_name (workfront.versions.unsupported.Updateattribute), 401

ref_name (workfront.versions.v40.Update attribute), 137ref_obj_code (workfront.versions.unsupported.AccessToken

attribute), 166ref_obj_code (workfront.versions.unsupported.CalendarFeedEntry

attribute), 209ref_obj_code (workfront.versions.unsupported.DocumentRequest

attribute), 248ref_obj_code (workfront.versions.unsupported.Endorsement

attribute), 255ref_obj_code (workfront.versions.unsupported.SecurityAncestor

attribute), 360ref_obj_code (workfront.versions.unsupported.TimesheetTemplate

attribute), 393ref_obj_code (workfront.versions.unsupported.Update at-

tribute), 401ref_obj_code (workfront.versions.unsupported.UserObjectPref

attribute), 416ref_obj_code (workfront.versions.v40.Update attribute),

137ref_obj_id (workfront.versions.unsupported.AccessToken

attribute), 166ref_obj_id (workfront.versions.unsupported.CalendarFeedEntry

attribute), 209ref_obj_id (workfront.versions.unsupported.DocumentRequest

attribute), 248ref_obj_id (workfront.versions.unsupported.Endorsement

attribute), 255ref_obj_id (workfront.versions.unsupported.SecurityAncestor

attribute), 360ref_obj_id (workfront.versions.unsupported.TimesheetTemplate

attribute), 393ref_obj_id (workfront.versions.unsupported.Update at-

tribute), 401ref_obj_id (workfront.versions.unsupported.UserObjectPref

attribute), 416ref_obj_id (workfront.versions.v40.Update attribute), 137Reference (class in workfront.meta), 11reference_number (work-

front.versions.unsupported.Approval attribute),185

reference_number (work-

Index 563

python-workfront Documentation, Release 0.8.0

front.versions.unsupported.Document at-tribute), 239

reference_number (workfront.versions.unsupported.Issueattribute), 279

reference_number (work-front.versions.unsupported.Project attribute),332

reference_number (workfront.versions.unsupported.Taskattribute), 371

reference_number (work-front.versions.unsupported.Template attribute),380

reference_number (work-front.versions.unsupported.TemplateTaskattribute), 388

reference_number (work-front.versions.unsupported.Work attribute),428

reference_number (workfront.versions.v40.Approval at-tribute), 24

reference_number (workfront.versions.v40.Issue at-tribute), 66

reference_number (workfront.versions.v40.Projectattribute), 93

reference_number (workfront.versions.v40.Task at-tribute), 117

reference_number (workfront.versions.v40.Template at-tribute), 123

reference_number (workfront.versions.v40.TemplateTaskattribute), 129

reference_number (workfront.versions.v40.Work at-tribute), 153

reference_obj_code (work-front.versions.unsupported.Approval attribute),185

reference_obj_code (work-front.versions.unsupported.Document at-tribute), 239

reference_obj_code (work-front.versions.unsupported.Expense attribute),261

reference_obj_code (work-front.versions.unsupported.Hour attribute),271

reference_obj_code (work-front.versions.unsupported.Issue attribute),279

reference_obj_code (work-front.versions.unsupported.Work attribute),428

reference_obj_code (workfront.versions.v40.Approval at-tribute), 24

reference_obj_code (workfront.versions.v40.Documentattribute), 48

reference_obj_code (workfront.versions.v40.Expense at-tribute), 55

reference_obj_code (workfront.versions.v40.Hourattribute), 59

reference_obj_code (workfront.versions.v40.Issueattribute), 66

reference_obj_code (workfront.versions.v40.Workattribute), 153

reference_obj_id (work-front.versions.unsupported.Approval attribute),185

reference_obj_id (work-front.versions.unsupported.Document at-tribute), 239

reference_obj_id (work-front.versions.unsupported.Expense attribute),261

reference_obj_id (workfront.versions.unsupported.Hourattribute), 271

reference_obj_id (workfront.versions.unsupported.Issueattribute), 279

reference_obj_id (workfront.versions.unsupported.Workattribute), 429

reference_obj_id (workfront.versions.v40.Approval at-tribute), 24

reference_obj_id (workfront.versions.v40.Document at-tribute), 48

reference_obj_id (workfront.versions.v40.Expenseattribute), 55

reference_obj_id (workfront.versions.v40.Hour at-tribute), 60

reference_obj_id (workfront.versions.v40.Issue at-tribute), 66

reference_obj_id (workfront.versions.v40.Work at-tribute), 153

reference_object_closed (work-front.versions.unsupported.Document at-tribute), 239

reference_object_commit_date (work-front.versions.unsupported.WorkItem at-tribute), 433

reference_object_commit_date (work-front.versions.v40.WorkItem attribute), 156

reference_object_name (work-front.versions.unsupported.Acknowledgementattribute), 167

reference_object_name (work-front.versions.unsupported.Document at-tribute), 239

reference_object_name (work-front.versions.unsupported.Endorsementattribute), 255

reference_object_name (work-front.versions.unsupported.Expense attribute),

564 Index

python-workfront Documentation, Release 0.8.0

261reference_object_name (work-

front.versions.unsupported.JournalEntryattribute), 287

reference_object_name (work-front.versions.unsupported.Note attribute),303

reference_object_name (work-front.versions.unsupported.NoteTag attribute),304

reference_object_name (work-front.versions.unsupported.WorkItem at-tribute), 433

reference_object_name (work-front.versions.v40.Document attribute), 48

reference_object_name (workfront.versions.v40.Expenseattribute), 55

reference_object_name (workfront.versions.v40.Note at-tribute), 78

reference_object_name (workfront.versions.v40.NoteTagattribute), 79

reference_object_name (work-front.versions.v40.WorkItem attribute), 156

refresh_external_document_info() (work-front.versions.unsupported.Document method),239

refresh_external_documents() (work-front.versions.unsupported.Document method),239

refresh_linked_folder() (work-front.versions.unsupported.DocumentFoldermethod), 244

refresh_linked_folder_contents() (work-front.versions.unsupported.DocumentFoldermethod), 244

refresh_linked_folder_meta_data() (work-front.versions.unsupported.DocumentFoldermethod), 244

regenerate_box_shared_link() (work-front.versions.unsupported.Document method),239

registration_expire_date (work-front.versions.unsupported.User attribute),408

registration_expire_date (workfront.versions.v40.User at-tribute), 142

regular_hours (workfront.versions.unsupported.Timesheetattribute), 391

regular_hours (workfront.versions.v40.Timesheet at-tribute), 131

reject_approval() (workfront.versions.unsupported.Issuemethod), 279

reject_approval() (work-front.versions.unsupported.Project method),

332reject_approval() (workfront.versions.unsupported.Task

method), 371reject_approval() (workfront.versions.v40.Issue method),

66reject_approval() (workfront.versions.v40.Project

method), 93reject_approval() (workfront.versions.v40.Task method),

117rejected_status (workfront.versions.unsupported.ApprovalPath

attribute), 190rejected_status (workfront.versions.v40.ApprovalPath at-

tribute), 28rejected_status_label (work-

front.versions.unsupported.ApprovalPathattribute), 190

rejected_status_label (work-front.versions.v40.ApprovalPath attribute),28

rejection_issue (workfront.versions.unsupported.Approvalattribute), 185

rejection_issue (workfront.versions.unsupported.ApprovalProcessAttachableattribute), 192

rejection_issue (workfront.versions.unsupported.Issue at-tribute), 280

rejection_issue (workfront.versions.unsupported.Projectattribute), 333

rejection_issue (workfront.versions.unsupported.Task at-tribute), 371

rejection_issue (workfront.versions.unsupported.Work at-tribute), 429

rejection_issue (workfront.versions.v40.Approval at-tribute), 24

rejection_issue (workfront.versions.v40.Issue attribute),66

rejection_issue (workfront.versions.v40.Project at-tribute), 93

rejection_issue (workfront.versions.v40.Task attribute),117

rejection_issue (workfront.versions.v40.Work attribute),153

rejection_issue_id (work-front.versions.unsupported.Approval attribute),185

rejection_issue_id (work-front.versions.unsupported.ApprovalProcessAttachableattribute), 192

rejection_issue_id (workfront.versions.unsupported.Issueattribute), 280

rejection_issue_id (work-front.versions.unsupported.Project attribute),333

rejection_issue_id (workfront.versions.unsupported.Taskattribute), 371

Index 565

python-workfront Documentation, Release 0.8.0

rejection_issue_id (work-front.versions.unsupported.Work attribute),429

rejection_issue_id (workfront.versions.v40.Approval at-tribute), 24

rejection_issue_id (workfront.versions.v40.Issue at-tribute), 66

rejection_issue_id (workfront.versions.v40.Projectattribute), 93

rejection_issue_id (workfront.versions.v40.Task at-tribute), 117

rejection_issue_id (workfront.versions.v40.Work at-tribute), 153

release_version (workfront.versions.unsupported.Documentattribute), 239

release_version (workfront.versions.v40.Document at-tribute), 48

release_version_id (work-front.versions.unsupported.Document at-tribute), 239

release_version_id (workfront.versions.v40.Document at-tribute), 48

remaining_cost (workfront.versions.unsupported.Approvalattribute), 185

remaining_cost (workfront.versions.unsupported.Projectattribute), 333

remaining_cost (workfront.versions.v40.Approval at-tribute), 24

remaining_cost (workfront.versions.v40.Project at-tribute), 94

remaining_duration_minutes (work-front.versions.unsupported.Approval attribute),185

remaining_duration_minutes (work-front.versions.unsupported.Issue attribute),280

remaining_duration_minutes (work-front.versions.unsupported.Task attribute),371

remaining_duration_minutes (work-front.versions.unsupported.Work attribute),429

remaining_duration_minutes (work-front.versions.v40.Approval attribute), 24

remaining_duration_minutes (work-front.versions.v40.Issue attribute), 66

remaining_duration_minutes (work-front.versions.v40.Task attribute), 117

remaining_duration_minutes (work-front.versions.v40.Work attribute), 153

remaining_revenue (work-front.versions.unsupported.Approval attribute),186

remaining_revenue (work-

front.versions.unsupported.Project attribute),333

remaining_revenue (workfront.versions.v40.Approval at-tribute), 24

remaining_revenue (workfront.versions.v40.Project at-tribute), 94

remaining_risk_cost (work-front.versions.unsupported.Approval attribute),186

remaining_risk_cost (work-front.versions.unsupported.Project attribute),333

remaining_risk_cost (workfront.versions.v40.Approvalattribute), 24

remaining_risk_cost (workfront.versions.v40.Project at-tribute), 94

remind() (workfront.versions.unsupported.AccessRequestmethod), 162

remind_requestee() (work-front.versions.unsupported.Document method),239

remote_attribute (work-front.versions.unsupported.SSOMappingattribute), 350

remote_attribute (work-front.versions.unsupported.SSOMappingRuleattribute), 351

remote_entity_id (work-front.versions.unsupported.SSOOption at-tribute), 351

remove_document_version() (work-front.versions.unsupported.DocumentVersionmethod), 252

remove_mobile_device() (work-front.versions.unsupported.User method),408

remove_users_from_project() (work-front.versions.unsupported.Project method),333

remove_users_from_template() (work-front.versions.unsupported.Template method),380

reorder_categories() (work-front.versions.unsupported.Category method),214

replace_delete_groups() (work-front.versions.unsupported.Group method),269

replies (workfront.versions.unsupported.Endorsement at-tribute), 255

replies (workfront.versions.unsupported.JournalEntry at-tribute), 287

replies (workfront.versions.unsupported.Note attribute),303

566 Index

python-workfront Documentation, Release 0.8.0

replies (workfront.versions.unsupported.Update at-tribute), 401

replies (workfront.versions.v40.JournalEntry attribute),71

replies (workfront.versions.v40.Note attribute), 78replies (workfront.versions.v40.Update attribute), 137reply_to_assignment() (work-

front.versions.unsupported.Issue method),280

reply_to_assignment() (work-front.versions.unsupported.Task method),371

reply_to_assignment() (workfront.versions.v40.Issuemethod), 66

reply_to_assignment() (workfront.versions.v40.Taskmethod), 117

report_folder (workfront.versions.unsupported.PortalSectionattribute), 314

report_folder_id (work-front.versions.unsupported.PortalSectionattribute), 314

report_type (workfront.versions.unsupported.PortalSectionattribute), 314

ReportFolder (class in workfront.versions.unsupported),344

request() (workfront.Session method), 9request_access() (work-

front.versions.unsupported.AccessRequestmethod), 162

request_date (workfront.versions.unsupported.AccessRequestattribute), 162

request_date (workfront.versions.unsupported.DocumentApprovalattribute), 242

request_date (workfront.versions.v40.DocumentApprovalattribute), 50

requested_obj_code (work-front.versions.unsupported.AccessRequestattribute), 162

requested_obj_id (work-front.versions.unsupported.AccessRequestattribute), 162

requested_object_name (work-front.versions.unsupported.AccessRequestattribute), 162

requestee (workfront.versions.unsupported.DocumentRequestattribute), 248

requestee_id (workfront.versions.unsupported.DocumentRequestattribute), 248

requestor (workfront.versions.unsupported.AccessRequestattribute), 162

requestor (workfront.versions.unsupported.DocumentApprovalattribute), 242

requestor (workfront.versions.unsupported.DocumentRequestattribute), 248

requestor (workfront.versions.v40.DocumentApproval at-tribute), 50

requestor_actions (work-front.versions.unsupported.MetaRecord at-tribute), 298

requestor_core_action (work-front.versions.unsupported.QueueDef at-tribute), 337

requestor_core_action (work-front.versions.v40.QueueDef attribute), 97

requestor_forbidden_actions (work-front.versions.unsupported.QueueDef at-tribute), 337

requestor_forbidden_actions (work-front.versions.v40.QueueDef attribute), 97

requestor_id (workfront.versions.unsupported.AccessRequestattribute), 162

requestor_id (workfront.versions.unsupported.DocumentApprovalattribute), 242

requestor_id (workfront.versions.unsupported.DocumentRequestattribute), 248

requestor_id (workfront.versions.v40.DocumentApprovalattribute), 50

requestor_users (workfront.versions.unsupported.Customerattribute), 228

requestor_users (workfront.versions.unsupported.LicenseOrderattribute), 293

requestor_users (workfront.versions.v40.Customerattribute), 44

requests_view (workfront.versions.unsupported.Team at-tribute), 375

requests_view (workfront.versions.v40.Team attribute),120

requests_view_id (workfront.versions.unsupported.Teamattribute), 375

requests_view_id (workfront.versions.v40.Team at-tribute), 120

require_sslconnection (work-front.versions.unsupported.SSOOption at-tribute), 351

Reseller (class in workfront.versions.unsupported), 344reseller (workfront.versions.unsupported.AccountRep at-

tribute), 166reseller (workfront.versions.unsupported.Customer at-

tribute), 228reseller_id (workfront.versions.unsupported.AccountRep

attribute), 166reseller_id (workfront.versions.unsupported.Customer at-

tribute), 228reseller_id (workfront.versions.v40.Customer attribute),

44reserved_time (workfront.versions.unsupported.Approval

attribute), 186reserved_time (workfront.versions.unsupported.Task at-

Index 567

python-workfront Documentation, Release 0.8.0

tribute), 371reserved_time (workfront.versions.unsupported.Work at-

tribute), 429reserved_time (workfront.versions.v40.Approval at-

tribute), 24reserved_time (workfront.versions.v40.Task attribute),

117reserved_time (workfront.versions.v40.Work attribute),

153reserved_time_id (work-

front.versions.unsupported.Approval attribute),186

reserved_time_id (workfront.versions.unsupported.Taskattribute), 371

reserved_time_id (workfront.versions.unsupported.Workattribute), 429

reserved_time_id (workfront.versions.v40.Approval at-tribute), 24

reserved_time_id (workfront.versions.v40.Task attribute),117

reserved_time_id (workfront.versions.v40.Work at-tribute), 153

reserved_times (workfront.versions.unsupported.User at-tribute), 408

reserved_times (workfront.versions.v40.User attribute),142

ReservedTime (class in workfront.versions.unsupported),345

ReservedTime (class in workfront.versions.v40), 99reset_lucid_security_migration_progress() (work-

front.versions.unsupported.Customer method),228

reset_password() (work-front.versions.unsupported.Authenticationmethod), 198

reset_password() (workfront.versions.unsupported.Usermethod), 409

reset_password_by_token() (work-front.versions.unsupported.Authenticationmethod), 198

reset_password_expire_date (work-front.versions.unsupported.User attribute),409

reset_password_expire_date (work-front.versions.v40.User attribute), 142

reset_subjects_to_default() (work-front.versions.unsupported.EventHandlermethod), 257

resize_unsaved_avatar_file() (work-front.versions.unsupported.Avatar method),200

resolution_time (workfront.versions.unsupported.Approvalattribute), 186

resolution_time (workfront.versions.unsupported.Issue

attribute), 280resolution_time (workfront.versions.unsupported.Work

attribute), 429resolution_time (workfront.versions.v40.Approval

attribute), 25resolution_time (workfront.versions.v40.Issue attribute),

66resolution_time (workfront.versions.v40.Work attribute),

153resolvables (workfront.versions.unsupported.Approval at-

tribute), 186resolvables (workfront.versions.unsupported.Issue

attribute), 280resolvables (workfront.versions.unsupported.Project at-

tribute), 333resolvables (workfront.versions.unsupported.Task at-

tribute), 372resolvables (workfront.versions.unsupported.Work

attribute), 429resolvables (workfront.versions.v40.Approval attribute),

25resolvables (workfront.versions.v40.Issue attribute), 66resolvables (workfront.versions.v40.Project attribute), 94resolvables (workfront.versions.v40.Task attribute), 117resolvables (workfront.versions.v40.Work attribute), 153resolve_op_task (work-

front.versions.unsupported.Approval attribute),186

resolve_op_task (workfront.versions.unsupported.Issueattribute), 280

resolve_op_task (workfront.versions.unsupported.Workattribute), 429

resolve_op_task (workfront.versions.v40.Approvalattribute), 25

resolve_op_task (workfront.versions.v40.Issue attribute),66

resolve_op_task (workfront.versions.v40.Work attribute),153

resolve_op_task_id (work-front.versions.unsupported.Approval attribute),186

resolve_op_task_id (work-front.versions.unsupported.Issue attribute),280

resolve_op_task_id (work-front.versions.unsupported.Work attribute),429

resolve_op_task_id (workfront.versions.v40.Approval at-tribute), 25

resolve_op_task_id (workfront.versions.v40.Issue at-tribute), 66

resolve_op_task_id (workfront.versions.v40.Workattribute), 153

resolve_project (workfront.versions.unsupported.Approval

568 Index

python-workfront Documentation, Release 0.8.0

attribute), 186resolve_project (workfront.versions.unsupported.Issue at-

tribute), 280resolve_project (workfront.versions.unsupported.Work

attribute), 429resolve_project (workfront.versions.v40.Approval at-

tribute), 25resolve_project (workfront.versions.v40.Issue attribute),

66resolve_project (workfront.versions.v40.Work attribute),

153resolve_project_id (work-

front.versions.unsupported.Approval attribute),186

resolve_project_id (work-front.versions.unsupported.Issue attribute),280

resolve_project_id (work-front.versions.unsupported.Work attribute),429

resolve_project_id (workfront.versions.v40.Approval at-tribute), 25

resolve_project_id (workfront.versions.v40.Issue at-tribute), 66

resolve_project_id (workfront.versions.v40.Work at-tribute), 153

resolve_task (workfront.versions.unsupported.Approvalattribute), 186

resolve_task (workfront.versions.unsupported.Issue at-tribute), 280

resolve_task (workfront.versions.unsupported.Work at-tribute), 429

resolve_task (workfront.versions.v40.Approval attribute),25

resolve_task (workfront.versions.v40.Issue attribute), 67resolve_task (workfront.versions.v40.Work attribute),

153resolve_task_id (workfront.versions.unsupported.Approval

attribute), 186resolve_task_id (workfront.versions.unsupported.Issue

attribute), 280resolve_task_id (workfront.versions.unsupported.Work

attribute), 429resolve_task_id (workfront.versions.v40.Approval

attribute), 25resolve_task_id (workfront.versions.v40.Issue attribute),

67resolve_task_id (workfront.versions.v40.Work attribute),

153resolving_obj_code (work-

front.versions.unsupported.Approval attribute),186

resolving_obj_code (work-front.versions.unsupported.Issue attribute),

280resolving_obj_code (work-

front.versions.unsupported.Work attribute),429

resolving_obj_code (workfront.versions.v40.Approval at-tribute), 25

resolving_obj_code (workfront.versions.v40.Issueattribute), 67

resolving_obj_code (workfront.versions.v40.Workattribute), 153

resolving_obj_id (work-front.versions.unsupported.Approval attribute),186

resolving_obj_id (workfront.versions.unsupported.Issueattribute), 280

resolving_obj_id (workfront.versions.unsupported.Workattribute), 429

resolving_obj_id (workfront.versions.v40.Approval at-tribute), 25

resolving_obj_id (workfront.versions.v40.Issue at-tribute), 67

resolving_obj_id (workfront.versions.v40.Work at-tribute), 153

resource_allocations (work-front.versions.unsupported.Approval attribute),186

resource_allocations (work-front.versions.unsupported.Project attribute),333

resource_allocations (work-front.versions.unsupported.ResourcePoolattribute), 346

resource_allocations (workfront.versions.v40.Approvalattribute), 25

resource_allocations (workfront.versions.v40.Project at-tribute), 94

resource_allocations (work-front.versions.v40.ResourcePool attribute),101

resource_pool (workfront.versions.unsupported.Approvalattribute), 186

resource_pool (workfront.versions.unsupported.Projectattribute), 333

resource_pool (workfront.versions.unsupported.ResourceAllocationattribute), 346

resource_pool (workfront.versions.unsupported.User at-tribute), 409

resource_pool (workfront.versions.v40.Approval at-tribute), 25

resource_pool (workfront.versions.v40.Project attribute),94

resource_pool (workfront.versions.v40.ResourceAllocationattribute), 100

resource_pool (workfront.versions.v40.User attribute),

Index 569

python-workfront Documentation, Release 0.8.0

142resource_pool_id (work-

front.versions.unsupported.Approval attribute),186

resource_pool_id (work-front.versions.unsupported.Project attribute),333

resource_pool_id (work-front.versions.unsupported.ResourceAllocationattribute), 346

resource_pool_id (workfront.versions.unsupported.Userattribute), 409

resource_pool_id (workfront.versions.v40.Approval at-tribute), 25

resource_pool_id (workfront.versions.v40.Project at-tribute), 94

resource_pool_id (work-front.versions.v40.ResourceAllocation at-tribute), 100

resource_pool_id (workfront.versions.v40.User at-tribute), 142

resource_pools (workfront.versions.unsupported.Customerattribute), 228

resource_pools (workfront.versions.v40.Customerattribute), 44

resource_revenue (workfront.versions.unsupported.Hourattribute), 271

resource_revenue (workfront.versions.v40.Hour at-tribute), 60

resource_scope (workfront.versions.unsupported.Approvalattribute), 186

resource_scope (workfront.versions.unsupported.Task at-tribute), 372

resource_scope (workfront.versions.unsupported.Workattribute), 429

resource_scope (workfront.versions.v40.Approval at-tribute), 25

resource_scope (workfront.versions.v40.Task attribute),117

resource_scope (workfront.versions.v40.Work attribute),153

ResourceAllocation (class in work-front.versions.unsupported), 345

ResourceAllocation (class in workfront.versions.v40),100

ResourcePool (class in workfront.versions.unsupported),346

ResourcePool (class in workfront.versions.v40), 100retrieve_and_store_oauth2tokens() (work-

front.versions.unsupported.User method),409

retrieve_and_store_oauth_token() (work-front.versions.unsupported.User method),409

revenue_type (workfront.versions.unsupported.Approvalattribute), 186

revenue_type (workfront.versions.unsupported.MasterTaskattribute), 296

revenue_type (workfront.versions.unsupported.Task at-tribute), 372

revenue_type (workfront.versions.unsupported.TemplateTaskattribute), 388

revenue_type (workfront.versions.unsupported.Work at-tribute), 429

revenue_type (workfront.versions.v40.Approval at-tribute), 25

revenue_type (workfront.versions.v40.Task attribute),117

revenue_type (workfront.versions.v40.TemplateTask at-tribute), 129

revenue_type (workfront.versions.v40.Work attribute),154

revert_lucid_security_migration() (work-front.versions.unsupported.Customer method),229

review_actions (workfront.versions.unsupported.MetaRecordattribute), 298

review_users (workfront.versions.unsupported.Customerattribute), 229

review_users (workfront.versions.unsupported.LicenseOrderattribute), 293

review_users (workfront.versions.v40.Customer at-tribute), 44

Risk (class in workfront.versions.unsupported), 346Risk (class in workfront.versions.v40), 101risk (workfront.versions.unsupported.Approval attribute),

186risk (workfront.versions.unsupported.Project attribute),

333risk (workfront.versions.unsupported.Template attribute),

380risk (workfront.versions.v40.Approval attribute), 25risk (workfront.versions.v40.Project attribute), 94risk_performance_index (work-

front.versions.unsupported.Approval attribute),186

risk_performance_index (work-front.versions.unsupported.Project attribute),333

risk_performance_index (work-front.versions.v40.Approval attribute), 25

risk_performance_index (workfront.versions.v40.Projectattribute), 94

risk_type (workfront.versions.unsupported.Risk at-tribute), 347

risk_type (workfront.versions.v40.Risk attribute), 101risk_type_id (workfront.versions.unsupported.Risk at-

tribute), 347

570 Index

python-workfront Documentation, Release 0.8.0

risk_type_id (workfront.versions.v40.Risk attribute), 101risk_types (workfront.versions.unsupported.Customer at-

tribute), 229risk_types (workfront.versions.v40.Customer attribute),

45risks (workfront.versions.unsupported.Approval at-

tribute), 187risks (workfront.versions.unsupported.Project attribute),

333risks (workfront.versions.unsupported.Template at-

tribute), 380risks (workfront.versions.v40.Approval attribute), 25risks (workfront.versions.v40.Project attribute), 94risks (workfront.versions.v40.Template attribute), 123RiskType (class in workfront.versions.unsupported), 347RiskType (class in workfront.versions.v40), 102roi (workfront.versions.unsupported.Approval attribute),

187roi (workfront.versions.unsupported.Portfolio attribute),

319roi (workfront.versions.unsupported.Project attribute),

333roi (workfront.versions.v40.Approval attribute), 25roi (workfront.versions.v40.Portfolio attribute), 83roi (workfront.versions.v40.Project attribute), 94Role (class in workfront.versions.unsupported), 348Role (class in workfront.versions.v40), 102role (workfront.versions.unsupported.AnnouncementRecipient

attribute), 170role (workfront.versions.unsupported.Approval attribute),

187role (workfront.versions.unsupported.Assignment at-

tribute), 195role (workfront.versions.unsupported.AwaitingApproval

attribute), 201role (workfront.versions.unsupported.DocumentShare at-

tribute), 249role (workfront.versions.unsupported.Endorsement at-

tribute), 255role (workfront.versions.unsupported.Hour attribute), 271role (workfront.versions.unsupported.Issue attribute), 280role (workfront.versions.unsupported.MasterTask at-

tribute), 296role (workfront.versions.unsupported.ProjectUserRole at-

tribute), 336role (workfront.versions.unsupported.Rate attribute), 340role (workfront.versions.unsupported.ResourceAllocation

attribute), 346role (workfront.versions.unsupported.StepApprover at-

tribute), 361role (workfront.versions.unsupported.Task attribute), 372role (workfront.versions.unsupported.TeamMemberRole

attribute), 376role (workfront.versions.unsupported.TemplateAssignment

attribute), 382role (workfront.versions.unsupported.TemplateTask at-

tribute), 388role (workfront.versions.unsupported.TemplateUserRole

attribute), 389role (workfront.versions.unsupported.User attribute), 409role (workfront.versions.unsupported.UserResource at-

tribute), 418role (workfront.versions.unsupported.Work attribute),

429role (workfront.versions.v40.Approval attribute), 25role (workfront.versions.v40.Assignment attribute), 32role (workfront.versions.v40.Hour attribute), 60role (workfront.versions.v40.Issue attribute), 67role (workfront.versions.v40.ProjectUserRole attribute),

96role (workfront.versions.v40.Rate attribute), 99role (workfront.versions.v40.ResourceAllocation at-

tribute), 100role (workfront.versions.v40.StepApprover attribute),

108role (workfront.versions.v40.Task attribute), 118role (workfront.versions.v40.TemplateAssignment

attribute), 124role (workfront.versions.v40.TemplateTask attribute),

129role (workfront.versions.v40.TemplateUserRole at-

tribute), 130role (workfront.versions.v40.User attribute), 142role (workfront.versions.v40.Work attribute), 154role_id (workfront.versions.unsupported.AnnouncementRecipient

attribute), 170role_id (workfront.versions.unsupported.Approval

attribute), 187role_id (workfront.versions.unsupported.Assignment at-

tribute), 195role_id (workfront.versions.unsupported.AwaitingApproval

attribute), 201role_id (workfront.versions.unsupported.DocumentShare

attribute), 249role_id (workfront.versions.unsupported.Endorsement at-

tribute), 255role_id (workfront.versions.unsupported.Hour attribute),

271role_id (workfront.versions.unsupported.Issue attribute),

280role_id (workfront.versions.unsupported.MasterTask at-

tribute), 296role_id (workfront.versions.unsupported.ProjectUserRole

attribute), 336role_id (workfront.versions.unsupported.Rate attribute),

340role_id (workfront.versions.unsupported.ResourceAllocation

attribute), 346

Index 571

python-workfront Documentation, Release 0.8.0

role_id (workfront.versions.unsupported.StepApproverattribute), 361

role_id (workfront.versions.unsupported.Task attribute),372

role_id (workfront.versions.unsupported.TeamMemberRoleattribute), 376

role_id (workfront.versions.unsupported.TemplateAssignmentattribute), 382

role_id (workfront.versions.unsupported.TemplateTaskattribute), 388

role_id (workfront.versions.unsupported.TemplateUserRoleattribute), 389

role_id (workfront.versions.unsupported.User attribute),409

role_id (workfront.versions.unsupported.Work attribute),429

role_id (workfront.versions.v40.Approval attribute), 25role_id (workfront.versions.v40.Assignment attribute), 32role_id (workfront.versions.v40.Hour attribute), 60role_id (workfront.versions.v40.Issue attribute), 67role_id (workfront.versions.v40.ProjectUserRole at-

tribute), 96role_id (workfront.versions.v40.Rate attribute), 99role_id (workfront.versions.v40.ResourceAllocation at-

tribute), 100role_id (workfront.versions.v40.StepApprover attribute),

108role_id (workfront.versions.v40.Task attribute), 118role_id (workfront.versions.v40.TemplateAssignment at-

tribute), 125role_id (workfront.versions.v40.TemplateTask attribute),

129role_id (workfront.versions.v40.TemplateUserRole at-

tribute), 130role_id (workfront.versions.v40.User attribute), 142role_id (workfront.versions.v40.Work attribute), 154role_ids (workfront.versions.unsupported.ScheduledReport

attribute), 355roles (workfront.versions.unsupported.Approval at-

tribute), 187roles (workfront.versions.unsupported.Customer at-

tribute), 229roles (workfront.versions.unsupported.Project attribute),

333roles (workfront.versions.unsupported.ResourcePool at-

tribute), 346roles (workfront.versions.unsupported.ScheduledReport

attribute), 356roles (workfront.versions.unsupported.Template at-

tribute), 380roles (workfront.versions.unsupported.User attribute),

409roles (workfront.versions.v40.Approval attribute), 26roles (workfront.versions.v40.Customer attribute), 45

roles (workfront.versions.v40.Project attribute), 94roles (workfront.versions.v40.ResourcePool attribute),

101roles (workfront.versions.v40.Template attribute), 123roles (workfront.versions.v40.User attribute), 142rotate_recent_menu() (work-

front.versions.unsupported.RecentMenuItemmethod), 341

routing_rules (workfront.versions.unsupported.Approvalattribute), 187

routing_rules (workfront.versions.unsupported.Project at-tribute), 333

routing_rules (workfront.versions.unsupported.Templateattribute), 381

routing_rules (workfront.versions.v40.Approval at-tribute), 26

routing_rules (workfront.versions.v40.Project attribute),94

routing_rules (workfront.versions.v40.Template at-tribute), 124

RoutingRule (class in workfront.versions.unsupported),349

RoutingRule (class in workfront.versions.v40), 103row_shared (workfront.versions.unsupported.CategoryParameter

attribute), 217row_shared (workfront.versions.v40.CategoryParameter

attribute), 39rule_type (workfront.versions.unsupported.CategoryCascadeRule

attribute), 215run_as_user (workfront.versions.unsupported.CalendarInfo

attribute), 210run_as_user (workfront.versions.unsupported.PortalSection

attribute), 314run_as_user (workfront.versions.unsupported.ScheduledReport

attribute), 356run_as_user_id (workfront.versions.unsupported.CalendarInfo

attribute), 210run_as_user_id (workfront.versions.unsupported.PortalSection

attribute), 314run_as_user_id (workfront.versions.unsupported.ScheduledReport

attribute), 356run_as_user_type_ahead (work-

front.versions.unsupported.ScheduledReportattribute), 356

running_jobs_count() (work-front.versions.unsupported.BackgroundJobmethod), 202

SS3Migration (class in workfront.versions.unsupported),

350sandbox_count (workfront.versions.unsupported.Customer

attribute), 229

572 Index

python-workfront Documentation, Release 0.8.0

sandbox_count (workfront.versions.v40.Customerattribute), 45

sandbox_refreshing (work-front.versions.unsupported.Customer attribute),229

sandbox_refreshing (workfront.versions.v40.Customerattribute), 45

SANDBOX_TEMPLATE (in module workfront.session),11

sandbox_type (workfront.versions.unsupported.SandboxMigrationattribute), 353

SandboxMigration (class in work-front.versions.unsupported), 352

saturday (workfront.versions.unsupported.Schedule at-tribute), 354

saturday (workfront.versions.v40.Schedule attribute), 105save() (workfront.meta.Object method), 12save_document_metadata() (work-

front.versions.unsupported.Document method),239

save_external_browse_location() (work-front.versions.unsupported.ExternalDocumentmethod), 264

save_project_as_template() (work-front.versions.unsupported.Project method),334

sched_time (workfront.versions.unsupported.ScheduledReportattribute), 356

Schedule (class in workfront.versions.unsupported), 353Schedule (class in workfront.versions.v40), 104schedule (workfront.versions.unsupported.Approval at-

tribute), 187schedule (workfront.versions.unsupported.NonWorkDay

attribute), 299schedule (workfront.versions.unsupported.Project at-

tribute), 334schedule (workfront.versions.unsupported.RecurrenceRule

attribute), 343schedule (workfront.versions.unsupported.ScheduledReport

attribute), 356schedule (workfront.versions.unsupported.Team at-

tribute), 375schedule (workfront.versions.unsupported.Template at-

tribute), 381schedule (workfront.versions.unsupported.User at-

tribute), 409schedule (workfront.versions.v40.Approval attribute), 26schedule (workfront.versions.v40.NonWorkDay at-

tribute), 75schedule (workfront.versions.v40.Project attribute), 94schedule (workfront.versions.v40.User attribute), 142schedule_date (workfront.versions.unsupported.SandboxMigration

attribute), 353schedule_day (workfront.versions.unsupported.NonWorkDay

attribute), 299schedule_day (workfront.versions.v40.NonWorkDay at-

tribute), 75schedule_id (workfront.versions.unsupported.Approval

attribute), 187schedule_id (workfront.versions.unsupported.NonWorkDay

attribute), 299schedule_id (workfront.versions.unsupported.Project at-

tribute), 334schedule_id (workfront.versions.unsupported.RecurrenceRule

attribute), 343schedule_id (workfront.versions.unsupported.Team at-

tribute), 375schedule_id (workfront.versions.unsupported.Template

attribute), 381schedule_id (workfront.versions.unsupported.User

attribute), 409schedule_id (workfront.versions.v40.Approval attribute),

26schedule_id (workfront.versions.v40.NonWorkDay at-

tribute), 75schedule_id (workfront.versions.v40.Project attribute), 94schedule_id (workfront.versions.v40.User attribute), 142schedule_migration() (work-

front.versions.unsupported.SandboxMigrationmethod), 353

schedule_mode (workfront.versions.unsupported.Approvalattribute), 187

schedule_mode (workfront.versions.unsupported.Projectattribute), 334

schedule_mode (workfront.versions.unsupported.Templateattribute), 381

schedule_mode (workfront.versions.v40.Approvalattribute), 26

schedule_mode (workfront.versions.v40.Project at-tribute), 94

schedule_mode (workfront.versions.v40.Templateattribute), 124

schedule_start (workfront.versions.unsupported.ScheduledReportattribute), 356

scheduled_date (workfront.versions.unsupported.NotificationRecordattribute), 305

scheduled_hours (work-front.versions.unsupported.ResourceAllocationattribute), 346

scheduled_hours (work-front.versions.v40.ResourceAllocation at-tribute), 100

scheduled_report (work-front.versions.unsupported.PortalSectionattribute), 314

scheduled_report_id (work-front.versions.unsupported.PortalSectionattribute), 314

Index 573

python-workfront Documentation, Release 0.8.0

scheduled_reports (work-front.versions.unsupported.PortalSectionattribute), 314

ScheduledReport (class in work-front.versions.unsupported), 355

schedules (workfront.versions.unsupported.Customer at-tribute), 229

schedules (workfront.versions.v40.Customer attribute),45

scope (workfront.versions.unsupported.HourType at-tribute), 272

scope (workfront.versions.v40.HourType attribute), 61scope_expression (work-

front.versions.unsupported.AccessScopeattribute), 164

scope_obj_code (work-front.versions.unsupported.AccessScopeattribute), 164

scope_obj_code (work-front.versions.unsupported.AccessScopeActionattribute), 165

score (workfront.versions.unsupported.CustomerFeedbackattribute), 231

score_card (workfront.versions.unsupported.ScoreCardAnswerattribute), 358

score_card (workfront.versions.unsupported.ScoreCardQuestionattribute), 359

score_card (workfront.versions.v40.ScoreCardAnswer at-tribute), 107

score_card (workfront.versions.v40.ScoreCardQuestionattribute), 108

score_card_id (workfront.versions.unsupported.ScoreCardAnswerattribute), 358

score_card_id (workfront.versions.unsupported.ScoreCardQuestionattribute), 359

score_card_id (workfront.versions.v40.ScoreCardAnswerattribute), 107

score_card_id (workfront.versions.v40.ScoreCardQuestionattribute), 108

score_card_option (work-front.versions.unsupported.ScoreCardAnswerattribute), 358

score_card_option (work-front.versions.v40.ScoreCardAnswer attribute),107

score_card_option_id (work-front.versions.unsupported.ScoreCardAnswerattribute), 358

score_card_option_id (work-front.versions.v40.ScoreCardAnswer attribute),107

score_card_options (work-front.versions.unsupported.ScoreCardQuestionattribute), 359

score_card_options (work-front.versions.v40.ScoreCardQuestion at-tribute), 108

score_card_question (work-front.versions.unsupported.ScoreCardAnswerattribute), 358

score_card_question (work-front.versions.unsupported.ScoreCardOptionattribute), 359

score_card_question (work-front.versions.v40.ScoreCardAnswer attribute),107

score_card_question (work-front.versions.v40.ScoreCardOption attribute),107

score_card_question_id (work-front.versions.unsupported.ScoreCardAnswerattribute), 358

score_card_question_id (work-front.versions.unsupported.ScoreCardOptionattribute), 359

score_card_question_id (work-front.versions.v40.ScoreCardAnswer attribute),107

score_card_question_id (work-front.versions.v40.ScoreCardOption attribute),107

score_card_questions (work-front.versions.unsupported.ScoreCard at-tribute), 357

score_card_questions (workfront.versions.v40.ScoreCardattribute), 106

score_cards (workfront.versions.unsupported.Customerattribute), 229

score_cards (workfront.versions.v40.Customer attribute),45

ScoreCard (class in workfront.versions.unsupported), 356ScoreCard (class in workfront.versions.v40), 105ScoreCardAnswer (class in work-

front.versions.unsupported), 358ScoreCardAnswer (class in workfront.versions.v40), 106ScoreCardOption (class in work-

front.versions.unsupported), 358ScoreCardOption (class in workfront.versions.v40), 107ScoreCardQuestion (class in work-

front.versions.unsupported), 359ScoreCardQuestion (class in workfront.versions.v40),

107script_expression (work-

front.versions.unsupported.AppEvent at-tribute), 171

scrolling (workfront.versions.unsupported.ExternalSectionattribute), 266

search() (workfront.Session method), 10

574 Index

python-workfront Documentation, Release 0.8.0

search_attribute (work-front.versions.unsupported.SSOOption at-tribute), 351

search_base (workfront.versions.unsupported.SSOOptionattribute), 351

SearchEvent (class in workfront.versions.unsupported),359

secondary_actions (work-front.versions.unsupported.AccessLevelPermissionsattribute), 160

secondary_actions (work-front.versions.unsupported.AccessRule at-tribute), 163

secondary_actions (work-front.versions.unsupported.AccessRulePreferenceattribute), 163

secondary_actions (workfront.versions.v40.AccessRuleattribute), 13

section_id (workfront.versions.unsupported.CustsSectionsattribute), 232

section_id (workfront.versions.unsupported.UsersSectionsattribute), 419

security_ancestors (work-front.versions.unsupported.Approval attribute),187

security_ancestors (work-front.versions.unsupported.CalendarInfoattribute), 210

security_ancestors (work-front.versions.unsupported.Document at-tribute), 239

security_ancestors (workfront.versions.unsupported.Issueattribute), 280

security_ancestors (work-front.versions.unsupported.PortalSectionattribute), 314

security_ancestors (work-front.versions.unsupported.Program attribute),322

security_ancestors (work-front.versions.unsupported.Project attribute),334

security_ancestors (workfront.versions.unsupported.Taskattribute), 372

security_ancestors (work-front.versions.unsupported.Work attribute),429

security_ancestors_disabled (work-front.versions.unsupported.Approval attribute),187

security_ancestors_disabled (work-front.versions.unsupported.CalendarInfoattribute), 210

security_ancestors_disabled (work-

front.versions.unsupported.Document at-tribute), 239

security_ancestors_disabled (work-front.versions.unsupported.Issue attribute),280

security_ancestors_disabled (work-front.versions.unsupported.PortalSectionattribute), 314

security_ancestors_disabled (work-front.versions.unsupported.Program attribute),322

security_ancestors_disabled (work-front.versions.unsupported.Project attribute),334

security_ancestors_disabled (work-front.versions.unsupported.Task attribute),372

security_ancestors_disabled (work-front.versions.unsupported.Work attribute),430

security_level (workfront.versions.unsupported.CategoryParameterattribute), 217

security_level (workfront.versions.v40.CategoryParameterattribute), 39

security_model_type (work-front.versions.unsupported.AccessLevelattribute), 160

security_model_type (work-front.versions.unsupported.Customer attribute),229

security_model_type (workfront.versions.v40.Customerattribute), 45

security_obj_code (work-front.versions.unsupported.AccessRule at-tribute), 163

security_obj_code (work-front.versions.unsupported.AccessRulePreferenceattribute), 163

security_obj_code (workfront.versions.v40.AccessRuleattribute), 13

security_obj_id (workfront.versions.unsupported.AccessRuleattribute), 163

security_obj_id (workfront.versions.v40.AccessRule at-tribute), 13

security_root_id (work-front.versions.unsupported.Approval attribute),187

security_root_id (work-front.versions.unsupported.ApprovalProcessattribute), 191

security_root_id (work-front.versions.unsupported.Assignment at-tribute), 195

security_root_id (work-

Index 575

python-workfront Documentation, Release 0.8.0

front.versions.unsupported.CalendarInfoattribute), 210

security_root_id (work-front.versions.unsupported.Document at-tribute), 240

security_root_id (work-front.versions.unsupported.DocumentFolderattribute), 244

security_root_id (work-front.versions.unsupported.DocumentRequestattribute), 248

security_root_id (work-front.versions.unsupported.ExchangeRateattribute), 259

security_root_id (work-front.versions.unsupported.Expense attribute),261

security_root_id (workfront.versions.unsupported.Hourattribute), 271

security_root_id (workfront.versions.unsupported.Issueattribute), 280

security_root_id (work-front.versions.unsupported.JournalEntryattribute), 287

security_root_id (workfront.versions.unsupported.Noteattribute), 303

security_root_id (work-front.versions.unsupported.PortalSectionattribute), 315

security_root_id (work-front.versions.unsupported.Program attribute),322

security_root_id (work-front.versions.unsupported.QueueDef at-tribute), 337

security_root_id (workfront.versions.unsupported.Rateattribute), 340

security_root_id (work-front.versions.unsupported.ResourceAllocationattribute), 346

security_root_id (workfront.versions.unsupported.Riskattribute), 347

security_root_id (work-front.versions.unsupported.RoutingRuleattribute), 349

security_root_id (work-front.versions.unsupported.ScoreCard at-tribute), 357

security_root_id (work-front.versions.unsupported.SharingSettingsattribute), 361

security_root_id (workfront.versions.unsupported.Taskattribute), 372

security_root_id (work-

front.versions.unsupported.UIFilter attribute),395

security_root_id (work-front.versions.unsupported.UIGroupBy at-tribute), 397

security_root_id (work-front.versions.unsupported.UIView attribute),399

security_root_id (workfront.versions.unsupported.Workattribute), 430

security_root_id (work-front.versions.unsupported.WorkItem at-tribute), 433

security_root_id (workfront.versions.v40.Approval at-tribute), 26

security_root_id (work-front.versions.v40.ApprovalProcess attribute),29

security_root_id (workfront.versions.v40.Assignment at-tribute), 32

security_root_id (workfront.versions.v40.Document at-tribute), 48

security_root_id (work-front.versions.v40.DocumentFolder attribute),51

security_root_id (workfront.versions.v40.Expenseattribute), 55

security_root_id (workfront.versions.v40.Hour attribute),60

security_root_id (workfront.versions.v40.Issue attribute),67

security_root_id (workfront.versions.v40.JournalEntryattribute), 72

security_root_id (workfront.versions.v40.Note attribute),78

security_root_id (workfront.versions.v40.Programattribute), 85

security_root_id (workfront.versions.v40.QueueDef at-tribute), 97

security_root_id (workfront.versions.v40.Rate attribute),99

security_root_id (work-front.versions.v40.ResourceAllocation at-tribute), 100

security_root_id (workfront.versions.v40.Risk attribute),101

security_root_id (workfront.versions.v40.RoutingRuleattribute), 103

security_root_id (workfront.versions.v40.ScoreCard at-tribute), 106

security_root_id (workfront.versions.v40.Task attribute),118

security_root_id (workfront.versions.v40.UIFilter at-tribute), 133

576 Index

python-workfront Documentation, Release 0.8.0

security_root_id (workfront.versions.v40.UIGroupBy at-tribute), 134

security_root_id (workfront.versions.v40.UIView at-tribute), 136

security_root_id (workfront.versions.v40.Work attribute),154

security_root_id (workfront.versions.v40.WorkItem at-tribute), 156

security_root_obj_code (work-front.versions.unsupported.Approval attribute),187

security_root_obj_code (work-front.versions.unsupported.ApprovalProcessattribute), 191

security_root_obj_code (work-front.versions.unsupported.Assignment at-tribute), 195

security_root_obj_code (work-front.versions.unsupported.CalendarInfoattribute), 210

security_root_obj_code (work-front.versions.unsupported.Document at-tribute), 240

security_root_obj_code (work-front.versions.unsupported.DocumentFolderattribute), 244

security_root_obj_code (work-front.versions.unsupported.DocumentRequestattribute), 248

security_root_obj_code (work-front.versions.unsupported.ExchangeRateattribute), 259

security_root_obj_code (work-front.versions.unsupported.Expense attribute),261

security_root_obj_code (work-front.versions.unsupported.Hour attribute),271

security_root_obj_code (work-front.versions.unsupported.Issue attribute),281

security_root_obj_code (work-front.versions.unsupported.JournalEntryattribute), 287

security_root_obj_code (work-front.versions.unsupported.Note attribute),303

security_root_obj_code (work-front.versions.unsupported.PortalSectionattribute), 315

security_root_obj_code (work-front.versions.unsupported.Program attribute),322

security_root_obj_code (work-

front.versions.unsupported.QueueDef at-tribute), 337

security_root_obj_code (work-front.versions.unsupported.Rate attribute),340

security_root_obj_code (work-front.versions.unsupported.ResourceAllocationattribute), 346

security_root_obj_code (work-front.versions.unsupported.Risk attribute),347

security_root_obj_code (work-front.versions.unsupported.RoutingRuleattribute), 349

security_root_obj_code (work-front.versions.unsupported.ScoreCard at-tribute), 357

security_root_obj_code (work-front.versions.unsupported.SharingSettingsattribute), 361

security_root_obj_code (work-front.versions.unsupported.Task attribute),372

security_root_obj_code (work-front.versions.unsupported.UIFilter attribute),395

security_root_obj_code (work-front.versions.unsupported.UIGroupBy at-tribute), 397

security_root_obj_code (work-front.versions.unsupported.UIView attribute),399

security_root_obj_code (work-front.versions.unsupported.Work attribute),430

security_root_obj_code (work-front.versions.unsupported.WorkItem at-tribute), 433

security_root_obj_code (work-front.versions.v40.Approval attribute), 26

security_root_obj_code (work-front.versions.v40.ApprovalProcess attribute),29

security_root_obj_code (work-front.versions.v40.Assignment attribute),32

security_root_obj_code (work-front.versions.v40.Document attribute), 49

security_root_obj_code (work-front.versions.v40.DocumentFolder attribute),51

security_root_obj_code (workfront.versions.v40.Expenseattribute), 55

security_root_obj_code (workfront.versions.v40.Hour at-

Index 577

python-workfront Documentation, Release 0.8.0

tribute), 60security_root_obj_code (workfront.versions.v40.Issue at-

tribute), 67security_root_obj_code (work-

front.versions.v40.JournalEntry attribute),72

security_root_obj_code (workfront.versions.v40.Note at-tribute), 78

security_root_obj_code (workfront.versions.v40.Programattribute), 85

security_root_obj_code (work-front.versions.v40.QueueDef attribute), 97

security_root_obj_code (workfront.versions.v40.Rate at-tribute), 99

security_root_obj_code (work-front.versions.v40.ResourceAllocation at-tribute), 100

security_root_obj_code (workfront.versions.v40.Risk at-tribute), 102

security_root_obj_code (work-front.versions.v40.RoutingRule attribute),103

security_root_obj_code (work-front.versions.v40.ScoreCard attribute),106

security_root_obj_code (workfront.versions.v40.Task at-tribute), 118

security_root_obj_code (workfront.versions.v40.UIFilterattribute), 133

security_root_obj_code (work-front.versions.v40.UIGroupBy attribute),134

security_root_obj_code (workfront.versions.v40.UIViewattribute), 136

security_root_obj_code (workfront.versions.v40.Work at-tribute), 154

security_root_obj_code (work-front.versions.v40.WorkItem attribute), 156

SecurityAncestor (class in work-front.versions.unsupported), 360

selected_on_portfolio_optimizer (work-front.versions.unsupported.Approval attribute),187

selected_on_portfolio_optimizer (work-front.versions.unsupported.Project attribute),334

selected_on_portfolio_optimizer (work-front.versions.v40.Approval attribute), 26

selected_on_portfolio_optimizer (work-front.versions.v40.Project attribute), 94

send_documents_to_external_provider() (work-front.versions.unsupported.Document method),240

send_draft (workfront.versions.unsupported.Announcement

attribute), 168send_folder_to_external_provider() (work-

front.versions.unsupported.DocumentFoldermethod), 244

send_invitation_email() (work-front.versions.unsupported.User method),409

send_invitation_email() (workfront.versions.v40.Usermethod), 142

send_now() (workfront.versions.unsupported.PortalSectionmethod), 315

send_report_delivery_now() (work-front.versions.unsupported.ScheduledReportmethod), 356

send_test_email() (work-front.versions.unsupported.Email method),252

seq_name (workfront.versions.unsupported.Sequence at-tribute), 360

seq_value (workfront.versions.unsupported.Sequence at-tribute), 360

Sequence (class in workfront.versions.unsupported), 360sequence (workfront.versions.unsupported.Milestone at-

tribute), 298sequence (workfront.versions.v40.Milestone attribute),

74sequence_number (work-

front.versions.unsupported.ApprovalStepattribute), 192

sequence_number (workfront.versions.v40.ApprovalStepattribute), 30

service_name (workfront.versions.unsupported.DocumentTaskStatusattribute), 250

Session (class in workfront), 8session_id (workfront.Session attribute), 9session_id (workfront.versions.unsupported.AuditLoginAsSession

attribute), 196set() (workfront.versions.unsupported.UserObjectPref

method), 416set_access_rule_preferences() (work-

front.versions.unsupported.AccessLevelmethod), 160

set_access_rule_preferences() (work-front.versions.unsupported.Template method),381

set_access_rule_preferences() (work-front.versions.unsupported.User method),409

set_budget_to_schedule() (work-front.versions.unsupported.Project method),334

set_budget_to_schedule() (work-front.versions.v40.Project method), 94

set_custom_enums() (work-

578 Index

python-workfront Documentation, Release 0.8.0

front.versions.unsupported.CustomEnummethod), 219

set_custom_subject() (work-front.versions.unsupported.EventHandlermethod), 258

set_exclusions() (work-front.versions.unsupported.Customer method),229

set_inactive_notifications_value() (work-front.versions.unsupported.UserPrefValuemethod), 417

set_is_custom_quarter_enabled() (work-front.versions.unsupported.Customer method),229

set_is_white_list_ipenabled() (work-front.versions.unsupported.Customer method),229

set_journal_fields_for_obj_code() (work-front.versions.unsupported.JournalFieldmethod), 288

set_lucid_migration_enabled() (work-front.versions.unsupported.Customer method),229

set_preference() (work-front.versions.unsupported.CustomerPreferencesmethod), 232

setup_google_drive_push_notifications() (work-front.versions.unsupported.Document method),240

severity (workfront.versions.unsupported.Approval at-tribute), 187

severity (workfront.versions.unsupported.Issue attribute),281

severity (workfront.versions.unsupported.Work attribute),430

severity (workfront.versions.v40.Approval attribute), 26severity (workfront.versions.v40.Issue attribute), 67severity (workfront.versions.v40.Work attribute), 154share_mode (workfront.versions.unsupported.QueueDef

attribute), 337shares (workfront.versions.unsupported.Document

attribute), 240shares (workfront.versions.unsupported.Endorsement at-

tribute), 255sharing_settings (work-

front.versions.unsupported.Approval attribute),187

sharing_settings (workfront.versions.unsupported.Projectattribute), 334

sharing_settings (work-front.versions.unsupported.Template attribute),381

SharingSettings (class in work-front.versions.unsupported), 360

should_create_issue (work-front.versions.unsupported.ApprovalPathattribute), 190

should_create_issue (work-front.versions.v40.ApprovalPath attribute),28

show_commit_date (work-front.versions.unsupported.Approval attribute),187

show_commit_date (work-front.versions.unsupported.Issue attribute),281

show_commit_date (work-front.versions.unsupported.Task attribute),372

show_commit_date (work-front.versions.unsupported.Work attribute),430

show_condition (work-front.versions.unsupported.Approval attribute),187

show_condition (workfront.versions.unsupported.Issueattribute), 281

show_condition (workfront.versions.unsupported.Projectattribute), 334

show_condition (workfront.versions.unsupported.Taskattribute), 372

show_condition (workfront.versions.unsupported.Workattribute), 430

show_external_thumbnails() (work-front.versions.unsupported.ExternalDocumentmethod), 264

show_prompts (workfront.versions.unsupported.PortalSectionattribute), 315

show_status (workfront.versions.unsupported.Approvalattribute), 187

show_status (workfront.versions.unsupported.Issue at-tribute), 281

show_status (workfront.versions.unsupported.Project at-tribute), 334

show_status (workfront.versions.unsupported.Taskattribute), 372

show_status (workfront.versions.unsupported.Work at-tribute), 430

signout_url (workfront.versions.unsupported.SSOOptionattribute), 351

size (workfront.versions.unsupported.ExternalDocumentattribute), 264

slack_date (workfront.versions.unsupported.Approval at-tribute), 187

slack_date (workfront.versions.unsupported.Task at-tribute), 372

slack_date (workfront.versions.unsupported.Work at-tribute), 430

Index 579

python-workfront Documentation, Release 0.8.0

slack_date (workfront.versions.v40.Approval attribute),26

slack_date (workfront.versions.v40.Task attribute), 118slack_date (workfront.versions.v40.Work attribute), 154snooze_date (workfront.versions.unsupported.WorkItem

attribute), 433snooze_date (workfront.versions.v40.WorkItem at-

tribute), 156sort_by (workfront.versions.unsupported.PortalSection

attribute), 315sort_by2 (workfront.versions.unsupported.PortalSection

attribute), 315sort_by3 (workfront.versions.unsupported.PortalSection

attribute), 315sort_type (workfront.versions.unsupported.PortalSection

attribute), 315sort_type2 (workfront.versions.unsupported.PortalSection

attribute), 315sort_type3 (workfront.versions.unsupported.PortalSection

attribute), 315source_obj_code (work-

front.versions.unsupported.Approval attribute),187

source_obj_code (workfront.versions.unsupported.Issueattribute), 281

source_obj_code (workfront.versions.unsupported.Workattribute), 430

source_obj_code (workfront.versions.v40.Approval at-tribute), 26

source_obj_code (workfront.versions.v40.Issue at-tribute), 67

source_obj_code (workfront.versions.v40.Work at-tribute), 154

source_obj_id (workfront.versions.unsupported.Approvalattribute), 188

source_obj_id (workfront.versions.unsupported.Issue at-tribute), 281

source_obj_id (workfront.versions.unsupported.Work at-tribute), 430

source_obj_id (workfront.versions.v40.Approval at-tribute), 26

source_obj_id (workfront.versions.v40.Issue attribute),67

source_obj_id (workfront.versions.v40.Work attribute),154

source_task (workfront.versions.unsupported.Approvalattribute), 188

source_task (workfront.versions.unsupported.Issueattribute), 281

source_task (workfront.versions.unsupported.Work at-tribute), 430

source_task (workfront.versions.v40.Approval attribute),26

source_task (workfront.versions.v40.Issue attribute), 67

source_task (workfront.versions.v40.Work attribute), 154source_task_id (workfront.versions.unsupported.Approval

attribute), 188source_task_id (workfront.versions.unsupported.Issue at-

tribute), 281source_task_id (workfront.versions.unsupported.Work at-

tribute), 430source_task_id (workfront.versions.v40.Approval at-

tribute), 26source_task_id (workfront.versions.v40.Issue attribute),

67source_task_id (workfront.versions.v40.Work attribute),

154special_view (workfront.versions.unsupported.PortalSection

attribute), 315spi (workfront.versions.unsupported.Approval attribute),

188spi (workfront.versions.unsupported.Baseline attribute),

204spi (workfront.versions.unsupported.BaselineTask at-

tribute), 205spi (workfront.versions.unsupported.Project attribute),

334spi (workfront.versions.unsupported.Task attribute), 372spi (workfront.versions.unsupported.Work attribute), 430spi (workfront.versions.v40.Approval attribute), 26spi (workfront.versions.v40.Baseline attribute), 35spi (workfront.versions.v40.BaselineTask attribute), 36spi (workfront.versions.v40.Project attribute), 94spi (workfront.versions.v40.Task attribute), 118spi (workfront.versions.v40.Work attribute), 154sponsor (workfront.versions.unsupported.Approval at-

tribute), 188sponsor (workfront.versions.unsupported.Project at-

tribute), 334sponsor (workfront.versions.unsupported.Template at-

tribute), 381sponsor (workfront.versions.v40.Approval attribute), 26sponsor (workfront.versions.v40.Project attribute), 94sponsor_id (workfront.versions.unsupported.Approval at-

tribute), 188sponsor_id (workfront.versions.unsupported.Project at-

tribute), 334sponsor_id (workfront.versions.unsupported.Template at-

tribute), 381sponsor_id (workfront.versions.v40.Approval attribute),

26sponsor_id (workfront.versions.v40.Project attribute), 94sso_access_only (workfront.versions.unsupported.User

attribute), 409sso_access_only (workfront.versions.v40.User attribute),

143sso_mapping_id (work-

front.versions.unsupported.SSOMappingRule

580 Index

python-workfront Documentation, Release 0.8.0

attribute), 351sso_mappings (workfront.versions.unsupported.SSOOption

attribute), 352sso_option (workfront.versions.unsupported.Customer

attribute), 229sso_option_id (workfront.versions.unsupported.SSOMapping

attribute), 350sso_type (workfront.versions.unsupported.Customer at-

tribute), 229sso_type (workfront.versions.v40.Customer attribute), 45sso_username (workfront.versions.unsupported.User at-

tribute), 409sso_username (workfront.versions.v40.User attribute),

143ssoenabled (workfront.versions.unsupported.SSOOption

attribute), 352SSOMapping (class in workfront.versions.unsupported),

350SSOMappingRule (class in work-

front.versions.unsupported), 350SSOOption (class in workfront.versions.unsupported),

351SSOUsername (class in workfront.versions.unsupported),

352start_date (workfront.versions.unsupported.AuditLoginAsSession

attribute), 196start_date (workfront.versions.unsupported.BackgroundJob

attribute), 202start_date (workfront.versions.unsupported.CalendarEvent

attribute), 208start_date (workfront.versions.unsupported.CalendarFeedEntry

attribute), 209start_date (workfront.versions.unsupported.CalendarSection

attribute), 212start_date (workfront.versions.unsupported.CustomerTimelineCalc

attribute), 232start_date (workfront.versions.unsupported.CustomQuarter

attribute), 222start_date (workfront.versions.unsupported.Iteration at-

tribute), 283start_date (workfront.versions.unsupported.RecurrenceRule

attribute), 343start_date (workfront.versions.unsupported.ReservedTime

attribute), 345start_date (workfront.versions.unsupported.SandboxMigration

attribute), 353start_date (workfront.versions.unsupported.ScheduledReport

attribute), 356start_date (workfront.versions.unsupported.Timesheet at-

tribute), 391start_date (workfront.versions.unsupported.UserDelegation

attribute), 412start_date (workfront.versions.unsupported.WhatsNew

attribute), 420

start_date (workfront.versions.v40.BackgroundJobattribute), 33

start_date (workfront.versions.v40.Iteration attribute), 69start_date (workfront.versions.v40.ReservedTime at-

tribute), 99start_date (workfront.versions.v40.Timesheet attribute),

131start_day (workfront.versions.unsupported.Template at-

tribute), 381start_day (workfront.versions.unsupported.TemplateTask

attribute), 388start_day (workfront.versions.v40.Template attribute),

124start_day (workfront.versions.v40.TemplateTask at-

tribute), 129start_idx (workfront.versions.unsupported.NoteTag at-

tribute), 304start_idx (workfront.versions.v40.NoteTag attribute), 79start_kick_start_download() (work-

front.versions.unsupported.BackgroundJobmethod), 202

start_range (workfront.versions.unsupported.IPRange at-tribute), 273

state (workfront.versions.unsupported.Customer at-tribute), 229

state (workfront.versions.unsupported.Reseller attribute),344

state (workfront.versions.unsupported.User attribute),409

state (workfront.versions.v40.Customer attribute), 45state (workfront.versions.v40.User attribute), 143status (workfront.versions.unsupported.AccessRequest

attribute), 162status (workfront.versions.unsupported.Approval at-

tribute), 188status (workfront.versions.unsupported.ApproverStatus

attribute), 193status (workfront.versions.unsupported.Assignment at-

tribute), 195status (workfront.versions.unsupported.BackgroundJob

attribute), 203status (workfront.versions.unsupported.BillingRecord at-

tribute), 206status (workfront.versions.unsupported.CalendarFeedEntry

attribute), 209status (workfront.versions.unsupported.Customer at-

tribute), 229status (workfront.versions.unsupported.DocumentApproval

attribute), 242status (workfront.versions.unsupported.DocumentRequest

attribute), 248status (workfront.versions.unsupported.DocumentTaskStatus

attribute), 250status (workfront.versions.unsupported.EventSubscription

Index 581

python-workfront Documentation, Release 0.8.0

attribute), 258status (workfront.versions.unsupported.Hour attribute),

271status (workfront.versions.unsupported.Issue attribute),

281status (workfront.versions.unsupported.Iteration at-

tribute), 283status (workfront.versions.unsupported.Project attribute),

334status (workfront.versions.unsupported.Risk attribute),

347status (workfront.versions.unsupported.S3Migration at-

tribute), 350status (workfront.versions.unsupported.SandboxMigration

attribute), 353status (workfront.versions.unsupported.Task attribute),

372status (workfront.versions.unsupported.Timesheet at-

tribute), 391status (workfront.versions.unsupported.Work attribute),

430status (workfront.versions.v40.Approval attribute), 26status (workfront.versions.v40.ApproverStatus attribute),

31status (workfront.versions.v40.Assignment attribute), 32status (workfront.versions.v40.BackgroundJob attribute),

33status (workfront.versions.v40.BillingRecord attribute),

37status (workfront.versions.v40.Customer attribute), 45status (workfront.versions.v40.DocumentApproval

attribute), 50status (workfront.versions.v40.Hour attribute), 60status (workfront.versions.v40.Issue attribute), 67status (workfront.versions.v40.Iteration attribute), 69status (workfront.versions.v40.Project attribute), 95status (workfront.versions.v40.Risk attribute), 102status (workfront.versions.v40.Task attribute), 118status (workfront.versions.v40.Timesheet attribute), 131status (workfront.versions.v40.Work attribute), 154status_date (workfront.versions.unsupported.DocumentTaskStatus

attribute), 250status_equates_with (work-

front.versions.unsupported.Approval attribute),188

status_equates_with (work-front.versions.unsupported.Task attribute),372

status_equates_with (work-front.versions.unsupported.Work attribute),430

status_equates_with (workfront.versions.v40.Approvalattribute), 26

status_equates_with (workfront.versions.v40.Task at-

tribute), 118status_equates_with (workfront.versions.v40.Work at-

tribute), 154status_update (workfront.versions.unsupported.Approval

attribute), 188status_update (workfront.versions.unsupported.Issue at-

tribute), 281status_update (workfront.versions.unsupported.Project

attribute), 334status_update (workfront.versions.unsupported.Task at-

tribute), 372status_update (workfront.versions.unsupported.User at-

tribute), 409status_update (workfront.versions.unsupported.Work at-

tribute), 430status_update (workfront.versions.v40.Approval at-

tribute), 26status_update (workfront.versions.v40.Issue attribute), 67status_update (workfront.versions.v40.Project attribute),

95status_update (workfront.versions.v40.Task attribute),

118status_update (workfront.versions.v40.User attribute),

143status_update (workfront.versions.v40.Work attribute),

154step_approver (workfront.versions.unsupported.ApproverStatus

attribute), 193step_approver (workfront.versions.v40.ApproverStatus

attribute), 31step_approver_id (work-

front.versions.unsupported.ApproverStatusattribute), 193

step_approver_id (work-front.versions.v40.ApproverStatus attribute),31

step_approvers (workfront.versions.unsupported.ApprovalStepattribute), 192

step_approvers (workfront.versions.v40.ApprovalStep at-tribute), 30

StepApprover (class in workfront.versions.unsupported),361

StepApprover (class in workfront.versions.v40), 108style_sheet (workfront.versions.unsupported.Customer

attribute), 230style_sheet (workfront.versions.v40.Customer attribute),

45styled_message (workfront.versions.unsupported.Update

attribute), 401styled_message (workfront.versions.v40.Update at-

tribute), 137sub_message (workfront.versions.unsupported.Update at-

tribute), 401sub_message (workfront.versions.v40.Update attribute),

582 Index

python-workfront Documentation, Release 0.8.0

137sub_message_args (work-

front.versions.unsupported.Update attribute),401

sub_message_args (workfront.versions.v40.Update at-tribute), 137

sub_obj_code (workfront.versions.unsupported.CustomEnumOrderattribute), 220

sub_obj_code (workfront.versions.unsupported.Endorsementattribute), 255

sub_obj_code (workfront.versions.unsupported.JournalEntryattribute), 287

sub_obj_code (workfront.versions.unsupported.Updateattribute), 401

sub_obj_code (workfront.versions.v40.JournalEntry at-tribute), 72

sub_obj_code (workfront.versions.v40.Update attribute),137

sub_obj_id (workfront.versions.unsupported.Endorsementattribute), 255

sub_obj_id (workfront.versions.unsupported.JournalEntryattribute), 287

sub_obj_id (workfront.versions.unsupported.Update at-tribute), 401

sub_obj_id (workfront.versions.v40.JournalEntry at-tribute), 72

sub_obj_id (workfront.versions.v40.Update attribute),137

sub_reference_object_name (work-front.versions.unsupported.Endorsementattribute), 255

sub_reference_object_name (work-front.versions.unsupported.JournalEntryattribute), 287

subject (workfront.versions.unsupported.Announcementattribute), 168

subject (workfront.versions.unsupported.EmailTemplateattribute), 254

subject (workfront.versions.unsupported.Note attribute),303

subject (workfront.versions.v40.Note attribute), 78submit_npssurvey() (work-

front.versions.unsupported.User method),410

submitted_by (workfront.versions.unsupported.Approvalattribute), 188

submitted_by (workfront.versions.unsupported.ApprovalProcessAttachableattribute), 192

submitted_by (workfront.versions.unsupported.AwaitingApprovalattribute), 201

submitted_by (workfront.versions.unsupported.Issue at-tribute), 281

submitted_by (workfront.versions.unsupported.Projectattribute), 334

submitted_by (workfront.versions.unsupported.Task at-tribute), 372

submitted_by (workfront.versions.unsupported.Work at-tribute), 430

submitted_by (workfront.versions.v40.Approval at-tribute), 26

submitted_by (workfront.versions.v40.Issue attribute), 67submitted_by (workfront.versions.v40.Project attribute),

95submitted_by (workfront.versions.v40.Task attribute),

118submitted_by (workfront.versions.v40.Work attribute),

154submitted_by_id (work-

front.versions.unsupported.Approval attribute),188

submitted_by_id (work-front.versions.unsupported.ApprovalProcessAttachableattribute), 192

submitted_by_id (work-front.versions.unsupported.AwaitingApprovalattribute), 201

submitted_by_id (workfront.versions.unsupported.Issueattribute), 281

submitted_by_id (work-front.versions.unsupported.Project attribute),334

submitted_by_id (workfront.versions.unsupported.Taskattribute), 372

submitted_by_id (workfront.versions.unsupported.Workattribute), 430

submitted_by_id (workfront.versions.v40.Approval at-tribute), 27

submitted_by_id (workfront.versions.v40.Issue attribute),67

submitted_by_id (workfront.versions.v40.Project at-tribute), 95

submitted_by_id (workfront.versions.v40.Task attribute),118

submitted_by_id (workfront.versions.v40.Work at-tribute), 154

subscribers (workfront.versions.unsupported.Documentattribute), 240

subscribers (workfront.versions.v40.Document attribute),49

successor (workfront.versions.unsupported.Predecessorattribute), 320

successor (workfront.versions.unsupported.TemplatePredecessorattribute), 383

successor (workfront.versions.v40.Predecessor attribute),83

successor (workfront.versions.v40.TemplatePredecessorattribute), 125

successor_id (workfront.versions.unsupported.Predecessor

Index 583

python-workfront Documentation, Release 0.8.0

attribute), 320successor_id (workfront.versions.unsupported.TemplatePredecessor

attribute), 383successor_id (workfront.versions.v40.Predecessor at-

tribute), 83successor_id (workfront.versions.v40.TemplatePredecessor

attribute), 125successors (workfront.versions.unsupported.Approval at-

tribute), 188successors (workfront.versions.unsupported.Task at-

tribute), 372successors (workfront.versions.unsupported.TemplateTask

attribute), 388successors (workfront.versions.unsupported.Work at-

tribute), 430successors (workfront.versions.v40.Approval attribute),

27successors (workfront.versions.v40.Task attribute), 118successors (workfront.versions.v40.TemplateTask at-

tribute), 129successors (workfront.versions.v40.Work attribute), 154suggest_exchange_rate() (work-

front.versions.unsupported.ExchangeRatemethod), 259

summary (workfront.versions.unsupported.Announcementattribute), 168

summary_completion_type (work-front.versions.unsupported.Approval attribute),188

summary_completion_type (work-front.versions.unsupported.Project attribute),335

summary_completion_type (work-front.versions.unsupported.Template attribute),381

summary_completion_type (work-front.versions.v40.Approval attribute), 27

summary_completion_type (work-front.versions.v40.Project attribute), 95

summary_completion_type (work-front.versions.v40.Template attribute), 124

sunday (workfront.versions.unsupported.Scheduleattribute), 354

sunday (workfront.versions.v40.Schedule attribute), 105

Ttabname (workfront.versions.unsupported.PortalTab at-

tribute), 317tabs (workfront.versions.unsupported.LayoutTemplatePage

attribute), 292tags (workfront.versions.unsupported.Note attribute), 303tags (workfront.versions.v40.Note attribute), 78target (workfront.versions.unsupported.Acknowledgement

attribute), 167

target_external_section (work-front.versions.unsupported.CustomMenuattribute), 221

target_external_section_id (work-front.versions.unsupported.CustomMenuattribute), 221

target_id (workfront.versions.unsupported.Acknowledgementattribute), 167

target_obj_code (work-front.versions.unsupported.CustomMenuattribute), 221

target_obj_id (workfront.versions.unsupported.CustomMenuattribute), 221

target_percent_complete (work-front.versions.unsupported.Iteration attribute),283

target_percent_complete (work-front.versions.v40.Iteration attribute), 69

target_portal_section (work-front.versions.unsupported.CustomMenuattribute), 221

target_portal_section_id (work-front.versions.unsupported.CustomMenuattribute), 221

target_portal_tab (work-front.versions.unsupported.CustomMenuattribute), 221

target_portal_tab_id (work-front.versions.unsupported.CustomMenuattribute), 221

target_status (workfront.versions.unsupported.ApprovalPathattribute), 190

target_status (workfront.versions.v40.ApprovalPath at-tribute), 28

target_status_label (work-front.versions.unsupported.ApprovalPathattribute), 190

target_status_label (work-front.versions.v40.ApprovalPath attribute),28

target_user (workfront.versions.unsupported.AuditLoginAsSessionattribute), 196

target_user_display (work-front.versions.unsupported.AuditLoginAsSessionattribute), 196

target_user_id (workfront.versions.unsupported.AuditLoginAsSessionattribute), 196

Task (class in workfront.versions.unsupported), 362Task (class in workfront.versions.v40), 109task (workfront.versions.unsupported.ApproverStatus at-

tribute), 193task (workfront.versions.unsupported.Assignment at-

tribute), 195task (workfront.versions.unsupported.AwaitingApproval

584 Index

python-workfront Documentation, Release 0.8.0

attribute), 201task (workfront.versions.unsupported.BaselineTask at-

tribute), 206task (workfront.versions.unsupported.CalendarFeedEntry

attribute), 209task (workfront.versions.unsupported.Document at-

tribute), 240task (workfront.versions.unsupported.DocumentFolder

attribute), 244task (workfront.versions.unsupported.DocumentRequest

attribute), 248task (workfront.versions.unsupported.Endorsement at-

tribute), 256task (workfront.versions.unsupported.Expense attribute),

261task (workfront.versions.unsupported.Hour attribute), 271task (workfront.versions.unsupported.JournalEntry

attribute), 287task (workfront.versions.unsupported.Note attribute), 303task (workfront.versions.unsupported.NotificationRecord

attribute), 305task (workfront.versions.unsupported.ParameterValue at-

tribute), 309task (workfront.versions.unsupported.RecurrenceRule at-

tribute), 343task (workfront.versions.unsupported.ReservedTime at-

tribute), 345task (workfront.versions.unsupported.TimesheetTemplate

attribute), 394task (workfront.versions.unsupported.WatchListEntry at-

tribute), 419task (workfront.versions.unsupported.WorkItem at-

tribute), 433task (workfront.versions.v40.ApproverStatus attribute),

31task (workfront.versions.v40.Assignment attribute), 32task (workfront.versions.v40.BaselineTask attribute), 36task (workfront.versions.v40.Document attribute), 49task (workfront.versions.v40.DocumentFolder attribute),

51task (workfront.versions.v40.Expense attribute), 55task (workfront.versions.v40.Hour attribute), 60task (workfront.versions.v40.JournalEntry attribute), 72task (workfront.versions.v40.Note attribute), 78task (workfront.versions.v40.ReservedTime attribute), 99task (workfront.versions.v40.WorkItem attribute), 156task_assignment_core_action (work-

front.versions.unsupported.SharingSettingsattribute), 361

task_assignment_project_core_action (work-front.versions.unsupported.SharingSettingsattribute), 361

task_assignment_project_secondary_actions (work-front.versions.unsupported.SharingSettings

attribute), 361task_assignment_secondary_actions (work-

front.versions.unsupported.SharingSettingsattribute), 361

task_constraint (workfront.versions.unsupported.Approvalattribute), 188

task_constraint (workfront.versions.unsupported.Task at-tribute), 372

task_constraint (workfront.versions.unsupported.TemplateTaskattribute), 388

task_constraint (workfront.versions.unsupported.Workattribute), 430

task_constraint (workfront.versions.v40.Approval at-tribute), 27

task_constraint (workfront.versions.v40.Task attribute),118

task_constraint (workfront.versions.v40.TemplateTask at-tribute), 129

task_constraint (workfront.versions.v40.Work attribute),154

task_count_limit (work-front.versions.unsupported.Customer attribute),230

task_count_limit (workfront.versions.v40.Customer at-tribute), 45

task_id (workfront.versions.unsupported.ApproverStatusattribute), 193

task_id (workfront.versions.unsupported.Assignment at-tribute), 195

task_id (workfront.versions.unsupported.AwaitingApprovalattribute), 201

task_id (workfront.versions.unsupported.BaselineTask at-tribute), 206

task_id (workfront.versions.unsupported.CalendarFeedEntryattribute), 209

task_id (workfront.versions.unsupported.Document at-tribute), 240

task_id (workfront.versions.unsupported.DocumentFolderattribute), 244

task_id (workfront.versions.unsupported.DocumentRequestattribute), 248

task_id (workfront.versions.unsupported.Endorsement at-tribute), 256

task_id (workfront.versions.unsupported.Expense at-tribute), 261

task_id (workfront.versions.unsupported.Hour attribute),271

task_id (workfront.versions.unsupported.JournalEntry at-tribute), 287

task_id (workfront.versions.unsupported.Note attribute),303

task_id (workfront.versions.unsupported.NotificationRecordattribute), 305

task_id (workfront.versions.unsupported.ParameterValue

Index 585

python-workfront Documentation, Release 0.8.0

attribute), 309task_id (workfront.versions.unsupported.RecentUpdate

attribute), 342task_id (workfront.versions.unsupported.RecurrenceRule

attribute), 343task_id (workfront.versions.unsupported.ReservedTime

attribute), 345task_id (workfront.versions.unsupported.TimesheetTemplate

attribute), 394task_id (workfront.versions.unsupported.WatchListEntry

attribute), 419task_id (workfront.versions.unsupported.WorkItem at-

tribute), 433task_id (workfront.versions.v40.ApproverStatus at-

tribute), 31task_id (workfront.versions.v40.Assignment attribute),

32task_id (workfront.versions.v40.BaselineTask attribute),

36task_id (workfront.versions.v40.Document attribute), 49task_id (workfront.versions.v40.DocumentFolder at-

tribute), 51task_id (workfront.versions.v40.Expense attribute), 55task_id (workfront.versions.v40.Hour attribute), 60task_id (workfront.versions.v40.JournalEntry attribute),

72task_id (workfront.versions.v40.Note attribute), 78task_id (workfront.versions.v40.ReservedTime attribute),

99task_id (workfront.versions.v40.WorkItem attribute), 156task_ids (workfront.versions.unsupported.Iteration

attribute), 284task_ids (workfront.versions.v40.Iteration attribute), 69task_info (workfront.versions.unsupported.DocumentTaskStatus

attribute), 250task_name (workfront.versions.unsupported.RecentUpdate

attribute), 342task_number (workfront.versions.unsupported.Approval

attribute), 188task_number (workfront.versions.unsupported.Task at-

tribute), 373task_number (workfront.versions.unsupported.TemplateTask

attribute), 388task_number (workfront.versions.unsupported.Work at-

tribute), 430task_number (workfront.versions.v40.Approval at-

tribute), 27task_number (workfront.versions.v40.Task attribute), 118task_number (workfront.versions.v40.TemplateTask at-

tribute), 129task_number (workfront.versions.v40.Work attribute),

154task_number_predecessor_string (work-

front.versions.unsupported.Approval attribute),

188task_number_predecessor_string (work-

front.versions.unsupported.Task attribute),373

task_number_predecessor_string (work-front.versions.unsupported.TemplateTaskattribute), 388

task_number_predecessor_string (work-front.versions.unsupported.Work attribute),431

task_number_predecessor_string (work-front.versions.v40.Approval attribute), 27

task_number_predecessor_string (work-front.versions.v40.Task attribute), 118

task_number_predecessor_string (work-front.versions.v40.Work attribute), 154

task_statuses (workfront.versions.unsupported.Team at-tribute), 375

task_statuses (workfront.versions.v40.Team attribute),120

tasks (workfront.versions.unsupported.Approval at-tribute), 188

tasks (workfront.versions.unsupported.Project attribute),335

tasks (workfront.versions.v40.Approval attribute), 27tasks (workfront.versions.v40.Project attribute), 95Team (class in workfront.versions.unsupported), 374Team (class in workfront.versions.v40), 119team (workfront.versions.unsupported.AnnouncementRecipient

attribute), 170team (workfront.versions.unsupported.Approval at-

tribute), 188team (workfront.versions.unsupported.Assignment

attribute), 195team (workfront.versions.unsupported.AwaitingApproval

attribute), 201team (workfront.versions.unsupported.DocumentShare

attribute), 250team (workfront.versions.unsupported.EndorsementShare

attribute), 256team (workfront.versions.unsupported.Issue attribute),

281team (workfront.versions.unsupported.Iteration attribute),

284team (workfront.versions.unsupported.MasterTask

attribute), 296team (workfront.versions.unsupported.NoteTag attribute),

304team (workfront.versions.unsupported.Project attribute),

335team (workfront.versions.unsupported.StepApprover at-

tribute), 361team (workfront.versions.unsupported.Task attribute),

373

586 Index

python-workfront Documentation, Release 0.8.0

team (workfront.versions.unsupported.TeamMember at-tribute), 376

team (workfront.versions.unsupported.TeamMemberRoleattribute), 376

team (workfront.versions.unsupported.Template at-tribute), 381

team (workfront.versions.unsupported.TemplateAssignmentattribute), 382

team (workfront.versions.unsupported.TemplateTask at-tribute), 388

team (workfront.versions.unsupported.Work attribute),431

team (workfront.versions.v40.Approval attribute), 27team (workfront.versions.v40.Assignment attribute), 32team (workfront.versions.v40.Issue attribute), 67team (workfront.versions.v40.Iteration attribute), 69team (workfront.versions.v40.NoteTag attribute), 79team (workfront.versions.v40.StepApprover attribute),

108team (workfront.versions.v40.Task attribute), 118team (workfront.versions.v40.TeamMember attribute),

121team (workfront.versions.v40.TemplateAssignment at-

tribute), 125team (workfront.versions.v40.TemplateTask attribute),

129team (workfront.versions.v40.Work attribute), 155team_actions (workfront.versions.unsupported.MetaRecord

attribute), 298team_assignment (work-

front.versions.unsupported.Approval attribute),188

team_assignment (workfront.versions.unsupported.Issueattribute), 281

team_assignment (work-front.versions.unsupported.MasterTask at-tribute), 296

team_assignment (workfront.versions.unsupported.Taskattribute), 373

team_assignment (work-front.versions.unsupported.TemplateTaskattribute), 388

team_assignment (workfront.versions.unsupported.Workattribute), 431

team_assignment (workfront.versions.v40.Approval at-tribute), 27

team_assignment (workfront.versions.v40.Issue at-tribute), 67

team_assignment (workfront.versions.v40.Task attribute),118

team_assignment (workfront.versions.v40.TemplateTaskattribute), 129

team_assignment (workfront.versions.v40.Work at-tribute), 155

team_id (workfront.versions.unsupported.AnnouncementRecipientattribute), 170

team_id (workfront.versions.unsupported.Approval at-tribute), 188

team_id (workfront.versions.unsupported.Assignment at-tribute), 195

team_id (workfront.versions.unsupported.AwaitingApprovalattribute), 201

team_id (workfront.versions.unsupported.DocumentShareattribute), 250

team_id (workfront.versions.unsupported.EndorsementShareattribute), 256

team_id (workfront.versions.unsupported.Issue attribute),281

team_id (workfront.versions.unsupported.Iterationattribute), 284

team_id (workfront.versions.unsupported.MasterTask at-tribute), 296

team_id (workfront.versions.unsupported.NoteTagattribute), 304

team_id (workfront.versions.unsupported.Project at-tribute), 335

team_id (workfront.versions.unsupported.RecentUpdateattribute), 343

team_id (workfront.versions.unsupported.StepApproverattribute), 361

team_id (workfront.versions.unsupported.Task attribute),373

team_id (workfront.versions.unsupported.TeamMemberattribute), 376

team_id (workfront.versions.unsupported.TeamMemberRoleattribute), 376

team_id (workfront.versions.unsupported.Template at-tribute), 381

team_id (workfront.versions.unsupported.TemplateAssignmentattribute), 382

team_id (workfront.versions.unsupported.TemplateTaskattribute), 388

team_id (workfront.versions.unsupported.Work at-tribute), 431

team_id (workfront.versions.v40.Approval attribute), 27team_id (workfront.versions.v40.Assignment attribute),

32team_id (workfront.versions.v40.Issue attribute), 67team_id (workfront.versions.v40.Iteration attribute), 69team_id (workfront.versions.v40.NoteTag attribute), 79team_id (workfront.versions.v40.StepApprover attribute),

108team_id (workfront.versions.v40.Task attribute), 118team_id (workfront.versions.v40.TeamMember attribute),

121team_id (workfront.versions.v40.TemplateAssignment

attribute), 125team_id (workfront.versions.v40.TemplateTask attribute),

Index 587

python-workfront Documentation, Release 0.8.0

129team_id (workfront.versions.v40.Work attribute), 155team_ids (workfront.versions.unsupported.ScheduledReport

attribute), 356team_member_roles (work-

front.versions.unsupported.Team attribute),375

team_members (workfront.versions.unsupported.Teamattribute), 375

team_members (workfront.versions.v40.Team attribute),120

team_request_count() (work-front.versions.unsupported.Work method),431

team_requests_count() (work-front.versions.unsupported.Work method),431

team_requests_count() (workfront.versions.v40.Workmethod), 155

team_story_board_statuses (work-front.versions.unsupported.Team attribute),375

team_story_board_statuses (work-front.versions.v40.Team attribute), 120

team_type (workfront.versions.unsupported.Team at-tribute), 375

team_users (workfront.versions.unsupported.Customerattribute), 230

team_users (workfront.versions.unsupported.LicenseOrderattribute), 293

team_users (workfront.versions.v40.Customer attribute),45

TeamMember (class in workfront.versions.unsupported),375

TeamMember (class in workfront.versions.v40), 120TeamMemberRole (class in work-

front.versions.unsupported), 376teams (workfront.versions.unsupported.ScheduledReport

attribute), 356teams (workfront.versions.unsupported.User attribute),

410teams (workfront.versions.v40.User attribute), 143Template (class in workfront.versions.unsupported), 376Template (class in workfront.versions.v40), 121template (workfront.versions.unsupported.AccessRulePreference

attribute), 163template (workfront.versions.unsupported.Approval at-

tribute), 188template (workfront.versions.unsupported.Document at-

tribute), 240template (workfront.versions.unsupported.DocumentFolder

attribute), 245template (workfront.versions.unsupported.DocumentRequest

attribute), 248

template (workfront.versions.unsupported.ExchangeRateattribute), 259

template (workfront.versions.unsupported.Expense at-tribute), 261

template (workfront.versions.unsupported.JournalEntryattribute), 287

template (workfront.versions.unsupported.Note at-tribute), 303

template (workfront.versions.unsupported.NotificationRecordattribute), 305

template (workfront.versions.unsupported.ParameterValueattribute), 309

template (workfront.versions.unsupported.Project at-tribute), 335

template (workfront.versions.unsupported.QueueDef at-tribute), 337

template (workfront.versions.unsupported.Rate attribute),340

template (workfront.versions.unsupported.Risk attribute),347

template (workfront.versions.unsupported.RoutingRuleattribute), 349

template (workfront.versions.unsupported.ScoreCard at-tribute), 357

template (workfront.versions.unsupported.ScoreCardAnswerattribute), 358

template (workfront.versions.unsupported.SharingSettingsattribute), 361

template (workfront.versions.unsupported.TemplateAssignmentattribute), 382

template (workfront.versions.unsupported.TemplateTaskattribute), 388

template (workfront.versions.unsupported.TemplateUserattribute), 389

template (workfront.versions.unsupported.TemplateUserRoleattribute), 389

template (workfront.versions.v40.Approval attribute), 27template (workfront.versions.v40.Document attribute), 49template (workfront.versions.v40.DocumentFolder

attribute), 51template (workfront.versions.v40.ExchangeRate at-

tribute), 53template (workfront.versions.v40.Expense attribute), 55template (workfront.versions.v40.JournalEntry attribute),

72template (workfront.versions.v40.Note attribute), 78template (workfront.versions.v40.Project attribute), 95template (workfront.versions.v40.QueueDef attribute), 97template (workfront.versions.v40.Risk attribute), 102template (workfront.versions.v40.RoutingRule attribute),

103template (workfront.versions.v40.ScoreCard attribute),

106template (workfront.versions.v40.ScoreCardAnswer at-

588 Index

python-workfront Documentation, Release 0.8.0

tribute), 107template (workfront.versions.v40.TemplateAssignment

attribute), 125template (workfront.versions.v40.TemplateTask at-

tribute), 129template (workfront.versions.v40.TemplateUser at-

tribute), 130template (workfront.versions.v40.TemplateUserRole at-

tribute), 130template_id (workfront.versions.unsupported.AccessRulePreference

attribute), 163template_id (workfront.versions.unsupported.Approval

attribute), 189template_id (workfront.versions.unsupported.Document

attribute), 240template_id (workfront.versions.unsupported.DocumentFolder

attribute), 245template_id (workfront.versions.unsupported.DocumentRequest

attribute), 248template_id (workfront.versions.unsupported.ExchangeRate

attribute), 259template_id (workfront.versions.unsupported.Expense at-

tribute), 261template_id (workfront.versions.unsupported.JournalEntry

attribute), 287template_id (workfront.versions.unsupported.Note

attribute), 303template_id (workfront.versions.unsupported.NotificationRecord

attribute), 305template_id (workfront.versions.unsupported.ParameterValue

attribute), 309template_id (workfront.versions.unsupported.Project at-

tribute), 335template_id (workfront.versions.unsupported.QueueDef

attribute), 338template_id (workfront.versions.unsupported.Rate

attribute), 340template_id (workfront.versions.unsupported.Risk

attribute), 347template_id (workfront.versions.unsupported.RoutingRule

attribute), 350template_id (workfront.versions.unsupported.ScoreCard

attribute), 358template_id (workfront.versions.unsupported.ScoreCardAnswer

attribute), 358template_id (workfront.versions.unsupported.SharingSettings

attribute), 361template_id (workfront.versions.unsupported.TemplateAssignment

attribute), 382template_id (workfront.versions.unsupported.TemplateTask

attribute), 388template_id (workfront.versions.unsupported.TemplateUser

attribute), 389template_id (workfront.versions.unsupported.TemplateUserRole

attribute), 389template_id (workfront.versions.v40.Approval attribute),

27template_id (workfront.versions.v40.Document at-

tribute), 49template_id (workfront.versions.v40.DocumentFolder at-

tribute), 51template_id (workfront.versions.v40.ExchangeRate at-

tribute), 53template_id (workfront.versions.v40.Expense attribute),

55template_id (workfront.versions.v40.JournalEntry at-

tribute), 72template_id (workfront.versions.v40.Note attribute), 78template_id (workfront.versions.v40.Project attribute), 95template_id (workfront.versions.v40.QueueDef at-

tribute), 97template_id (workfront.versions.v40.Risk attribute), 102template_id (workfront.versions.v40.RoutingRule at-

tribute), 104template_id (workfront.versions.v40.ScoreCard at-

tribute), 106template_id (workfront.versions.v40.ScoreCardAnswer

attribute), 107template_id (workfront.versions.v40.TemplateAssignment

attribute), 125template_id (workfront.versions.v40.TemplateTask at-

tribute), 129template_id (workfront.versions.v40.TemplateUser at-

tribute), 130template_id (workfront.versions.v40.TemplateUserRole

attribute), 130template_obj_code (work-

front.versions.unsupported.EmailTemplateattribute), 254

template_task (workfront.versions.unsupported.Approvalattribute), 189

template_task (workfront.versions.unsupported.Documentattribute), 240

template_task (workfront.versions.unsupported.DocumentFolderattribute), 245

template_task (workfront.versions.unsupported.DocumentRequestattribute), 248

template_task (workfront.versions.unsupported.Expenseattribute), 261

template_task (workfront.versions.unsupported.Note at-tribute), 303

template_task (workfront.versions.unsupported.NotificationRecordattribute), 305

template_task (workfront.versions.unsupported.ParameterValueattribute), 309

template_task (workfront.versions.unsupported.RecurrenceRuleattribute), 344

template_task (workfront.versions.unsupported.Task at-

Index 589

python-workfront Documentation, Release 0.8.0

tribute), 373template_task (workfront.versions.unsupported.TemplateAssignment

attribute), 382template_task (workfront.versions.unsupported.Work at-

tribute), 431template_task (workfront.versions.v40.Approval at-

tribute), 27template_task (workfront.versions.v40.Document at-

tribute), 49template_task (workfront.versions.v40.DocumentFolder

attribute), 51template_task (workfront.versions.v40.Expense at-

tribute), 55template_task (workfront.versions.v40.Note attribute), 78template_task (workfront.versions.v40.Task attribute),

118template_task (workfront.versions.v40.TemplateAssignment

attribute), 125template_task (workfront.versions.v40.Work attribute),

155template_task_id (work-

front.versions.unsupported.Approval attribute),189

template_task_id (work-front.versions.unsupported.Document at-tribute), 240

template_task_id (work-front.versions.unsupported.DocumentFolderattribute), 245

template_task_id (work-front.versions.unsupported.DocumentRequestattribute), 248

template_task_id (work-front.versions.unsupported.Expense attribute),261

template_task_id (workfront.versions.unsupported.Noteattribute), 303

template_task_id (work-front.versions.unsupported.NotificationRecordattribute), 305

template_task_id (work-front.versions.unsupported.ParameterValueattribute), 309

template_task_id (work-front.versions.unsupported.RecurrenceRuleattribute), 344

template_task_id (workfront.versions.unsupported.Taskattribute), 373

template_task_id (work-front.versions.unsupported.TemplateAssignmentattribute), 382

template_task_id (workfront.versions.unsupported.Workattribute), 431

template_task_id (workfront.versions.v40.Approval at-

tribute), 27template_task_id (workfront.versions.v40.Document at-

tribute), 49template_task_id (work-

front.versions.v40.DocumentFolder attribute),51

template_task_id (workfront.versions.v40.Expenseattribute), 55

template_task_id (workfront.versions.v40.Note attribute),78

template_task_id (workfront.versions.v40.Task attribute),118

template_task_id (work-front.versions.v40.TemplateAssignmentattribute), 125

template_task_id (workfront.versions.v40.Work at-tribute), 155

template_tasks (workfront.versions.unsupported.Templateattribute), 381

template_tasks (workfront.versions.v40.Template at-tribute), 124

template_user_roles (work-front.versions.unsupported.Template attribute),381

template_user_roles (workfront.versions.v40.Templateattribute), 124

template_users (workfront.versions.unsupported.Templateattribute), 381

template_users (workfront.versions.v40.Template at-tribute), 124

TemplateAssignment (class in work-front.versions.unsupported), 381

TemplateAssignment (class in workfront.versions.v40),124

TemplatePredecessor (class in work-front.versions.unsupported), 383

TemplatePredecessor (class in workfront.versions.v40),125

TemplateTask (class in workfront.versions.unsupported),383

TemplateTask (class in workfront.versions.v40), 125TemplateUser (class in workfront.versions.unsupported),

389TemplateUser (class in workfront.versions.v40), 130TemplateUserRole (class in work-

front.versions.unsupported), 389TemplateUserRole (class in workfront.versions.v40), 130test_pop_account_settings() (work-

front.versions.unsupported.Email method),253

text (workfront.versions.unsupported.MessageArgattribute), 297

text (workfront.versions.v40.MessageArg attribute), 74text_val (workfront.versions.unsupported.ParameterValue

590 Index

python-workfront Documentation, Release 0.8.0

attribute), 309thread_date (workfront.versions.unsupported.Note

attribute), 303thread_date (workfront.versions.v40.Note attribute), 78thread_id (workfront.versions.unsupported.Note at-

tribute), 303thread_id (workfront.versions.unsupported.RecentUpdate

attribute), 343thread_id (workfront.versions.unsupported.Update

attribute), 401thread_id (workfront.versions.v40.Note attribute), 78thread_id (workfront.versions.v40.Update attribute), 137thumbnail_url (workfront.versions.unsupported.ExternalDocument

attribute), 264thursday (workfront.versions.unsupported.Schedule at-

tribute), 354thursday (workfront.versions.v40.Schedule attribute), 105time_zone (workfront.versions.unsupported.Customer at-

tribute), 230time_zone (workfront.versions.unsupported.Schedule at-

tribute), 354time_zone (workfront.versions.unsupported.User at-

tribute), 410time_zone (workfront.versions.v40.Customer attribute),

45time_zone (workfront.versions.v40.Schedule attribute),

105time_zone (workfront.versions.v40.User attribute), 143timed_not_obj_code (work-

front.versions.unsupported.TimedNotificationattribute), 390

timed_notification (work-front.versions.unsupported.NotificationRecordattribute), 305

timed_notification_id (work-front.versions.unsupported.NotificationRecordattribute), 305

timed_notifications (work-front.versions.unsupported.Customer attribute),230

timed_notifications() (work-front.versions.unsupported.Issue method),281

timed_notifications() (work-front.versions.unsupported.Task method),373

timed_notifications() (work-front.versions.unsupported.TemplateTaskmethod), 388

TimedNotification (class in work-front.versions.unsupported), 389

timeline_calculation_status (work-front.versions.unsupported.CustomerTimelineCalcattribute), 232

timeline_exception_info (work-front.versions.unsupported.Approval attribute),189

timeline_exception_info (work-front.versions.unsupported.Project attribute),335

Timesheet (class in workfront.versions.unsupported), 390Timesheet (class in workfront.versions.v40), 130timesheet (workfront.versions.unsupported.AwaitingApproval

attribute), 201timesheet (workfront.versions.unsupported.Hour at-

tribute), 271timesheet (workfront.versions.unsupported.JournalEntry

attribute), 287timesheet (workfront.versions.unsupported.Note at-

tribute), 303timesheet (workfront.versions.unsupported.NotificationRecord

attribute), 305timesheet (workfront.versions.v40.Hour attribute), 60timesheet (workfront.versions.v40.JournalEntry at-

tribute), 72timesheet (workfront.versions.v40.Note attribute), 78timesheet_config_map (work-

front.versions.unsupported.Customer attribute),230

timesheet_config_map_id (work-front.versions.unsupported.Customer attribute),230

timesheet_config_map_id (work-front.versions.v40.Customer attribute), 45

timesheet_id (workfront.versions.unsupported.AwaitingApprovalattribute), 201

timesheet_id (workfront.versions.unsupported.Hour at-tribute), 271

timesheet_id (workfront.versions.unsupported.JournalEntryattribute), 287

timesheet_id (workfront.versions.unsupported.Note at-tribute), 303

timesheet_id (workfront.versions.unsupported.NotificationRecordattribute), 306

timesheet_id (workfront.versions.v40.Hour attribute), 60timesheet_id (workfront.versions.v40.JournalEntry at-

tribute), 72timesheet_id (workfront.versions.v40.Note attribute), 78timesheet_profile (work-

front.versions.unsupported.NotificationRecordattribute), 306

timesheet_profile (work-front.versions.unsupported.Timesheet at-tribute), 391

timesheet_profile (workfront.versions.unsupported.Userattribute), 410

timesheet_profile_id (work-front.versions.unsupported.NotificationRecord

Index 591

python-workfront Documentation, Release 0.8.0

attribute), 306timesheet_profile_id (work-

front.versions.unsupported.Timesheet at-tribute), 392

timesheet_profile_id (work-front.versions.unsupported.User attribute),410

timesheet_profile_id (workfront.versions.v40.Timesheetattribute), 131

timesheet_profile_id (workfront.versions.v40.Userattribute), 143

timesheet_templates (work-front.versions.unsupported.User attribute),410

TimesheetProfile (class in work-front.versions.unsupported), 392

timesheetprofiles (work-front.versions.unsupported.HourType at-tribute), 272

TimesheetTemplate (class in work-front.versions.unsupported), 393

timing (workfront.versions.unsupported.TimedNotificationattribute), 390

title (workfront.versions.unsupported.User attribute), 410title (workfront.versions.unsupported.WhatsNew at-

tribute), 420title (workfront.versions.v40.User attribute), 143tmp_user_id (workfront.versions.unsupported.TemplateUser

attribute), 389tmp_user_id (workfront.versions.v40.TemplateUser at-

tribute), 130to_end_of_form (work-

front.versions.unsupported.CategoryCascadeRuleattribute), 215

to_user (workfront.versions.unsupported.UserDelegationattribute), 412

to_user_id (workfront.versions.unsupported.UserDelegationattribute), 412

token_type (workfront.versions.unsupported.AccessTokenattribute), 166

tool_bar (workfront.versions.unsupported.PortalSectionattribute), 315

top_doc_obj_code (work-front.versions.unsupported.Document at-tribute), 240

top_doc_obj_code (workfront.versions.v40.Document at-tribute), 49

top_name (workfront.versions.unsupported.Update at-tribute), 401

top_name (workfront.versions.v40.Update attribute), 137top_note_obj_code (work-

front.versions.unsupported.Note attribute),303

top_note_obj_code (workfront.versions.v40.Note at-

tribute), 78top_obj_code (workfront.versions.unsupported.Endorsement

attribute), 256top_obj_code (workfront.versions.unsupported.Expense

attribute), 261top_obj_code (workfront.versions.unsupported.JournalEntry

attribute), 287top_obj_code (workfront.versions.unsupported.Update

attribute), 401top_obj_code (workfront.versions.v40.Expense at-

tribute), 55top_obj_code (workfront.versions.v40.JournalEntry at-

tribute), 72top_obj_code (workfront.versions.v40.Update attribute),

137top_obj_id (workfront.versions.unsupported.Document

attribute), 240top_obj_id (workfront.versions.unsupported.Endorsement

attribute), 256top_obj_id (workfront.versions.unsupported.Expense at-

tribute), 261top_obj_id (workfront.versions.unsupported.JournalEntry

attribute), 287top_obj_id (workfront.versions.unsupported.Note at-

tribute), 303top_obj_id (workfront.versions.unsupported.Update at-

tribute), 401top_obj_id (workfront.versions.v40.Document attribute),

49top_obj_id (workfront.versions.v40.Expense attribute),

55top_obj_id (workfront.versions.v40.JournalEntry at-

tribute), 72top_obj_id (workfront.versions.v40.Note attribute), 78top_obj_id (workfront.versions.v40.Update attribute),

137top_reference_obj_code (work-

front.versions.unsupported.Expense attribute),261

top_reference_obj_code (work-front.versions.v40.Expense attribute), 55

top_reference_obj_id (work-front.versions.unsupported.Expense attribute),261

top_reference_obj_id (workfront.versions.v40.Expenseattribute), 55

top_reference_object_name (work-front.versions.unsupported.Endorsementattribute), 256

top_reference_object_name (work-front.versions.unsupported.JournalEntryattribute), 287

top_reference_object_name (work-front.versions.unsupported.Note attribute),

592 Index

python-workfront Documentation, Release 0.8.0

304top_reference_object_name (work-

front.versions.v40.Note attribute), 78total_actual_cost (work-

front.versions.unsupported.FinancialDataattribute), 268

total_actual_cost (workfront.versions.v40.FinancialDataattribute), 57

total_actual_hours (work-front.versions.unsupported.UserResourceattribute), 418

total_actual_revenue (work-front.versions.unsupported.FinancialDataattribute), 268

total_actual_revenue (work-front.versions.v40.FinancialData attribute),57

total_available_hours (work-front.versions.unsupported.UserResourceattribute), 418

total_estimate (workfront.versions.unsupported.Iterationattribute), 284

total_estimate (workfront.versions.v40.Iteration at-tribute), 69

total_hours (workfront.versions.unsupported.Approvalattribute), 189

total_hours (workfront.versions.unsupported.Project at-tribute), 335

total_hours (workfront.versions.unsupported.Timesheetattribute), 392

total_hours (workfront.versions.v40.Approval attribute),27

total_hours (workfront.versions.v40.Project attribute), 95total_hours (workfront.versions.v40.Timesheet attribute),

132total_minutes (workfront.versions.unsupported.UserAvailability

attribute), 412total_number_of_hours (work-

front.versions.unsupported.UserResourceattribute), 418

total_op_task_count (work-front.versions.unsupported.Approval attribute),189

total_op_task_count (work-front.versions.unsupported.Project attribute),335

total_op_task_count (workfront.versions.v40.Approvalattribute), 27

total_op_task_count (workfront.versions.v40.Project at-tribute), 95

total_planned_cost (work-front.versions.unsupported.FinancialDataattribute), 268

total_planned_cost (work-

front.versions.v40.FinancialData attribute),57

total_planned_revenue (work-front.versions.unsupported.FinancialDataattribute), 268

total_planned_revenue (work-front.versions.v40.FinancialData attribute),57

total_projected_hours (work-front.versions.unsupported.UserResourceattribute), 418

total_task_count (work-front.versions.unsupported.Approval attribute),189

total_task_count (workfront.versions.unsupported.Projectattribute), 335

total_task_count (workfront.versions.v40.Approval at-tribute), 27

total_task_count (workfront.versions.v40.Project at-tribute), 95

total_variance_cost (work-front.versions.unsupported.FinancialDataattribute), 268

total_variance_cost (work-front.versions.v40.FinancialData attribute),57

total_variance_revenue (work-front.versions.unsupported.FinancialDataattribute), 268

total_variance_revenue (work-front.versions.v40.FinancialData attribute),57

tracking_mode (workfront.versions.unsupported.Approvalattribute), 189

tracking_mode (workfront.versions.unsupported.MasterTaskattribute), 296

tracking_mode (workfront.versions.unsupported.Task at-tribute), 373

tracking_mode (workfront.versions.unsupported.TemplateTaskattribute), 388

tracking_mode (workfront.versions.unsupported.Work at-tribute), 431

tracking_mode (workfront.versions.v40.Approval at-tribute), 27

tracking_mode (workfront.versions.v40.Task attribute),118

tracking_mode (workfront.versions.v40.TemplateTask at-tribute), 129

tracking_mode (workfront.versions.v40.Work attribute),155

trial (workfront.versions.unsupported.Customer at-tribute), 230

trial (workfront.versions.v40.Customer attribute), 45trusted_domain (workfront.versions.unsupported.SSOOption

Index 593

python-workfront Documentation, Release 0.8.0

attribute), 352tuesday (workfront.versions.unsupported.Schedule

attribute), 355tuesday (workfront.versions.v40.Schedule attribute), 105type (workfront.versions.unsupported.Announcement at-

tribute), 168type (workfront.versions.unsupported.AnnouncementOptOut

attribute), 170type (workfront.versions.unsupported.MessageArg

attribute), 297type (workfront.versions.unsupported.ScoreCardAnswer

attribute), 358type (workfront.versions.v40.MessageArg attribute), 74type (workfront.versions.v40.ScoreCardAnswer at-

tribute), 107

Uui_code (workfront.versions.unsupported.AccountRep at-

tribute), 166ui_config_map (workfront.versions.unsupported.Customer

attribute), 230ui_config_map_id (work-

front.versions.unsupported.Customer attribute),230

ui_config_map_id (workfront.versions.v40.Customer at-tribute), 45

ui_filters (workfront.versions.unsupported.AppGlobal at-tribute), 172

ui_filters (workfront.versions.unsupported.Customer at-tribute), 230

ui_filters (workfront.versions.unsupported.LayoutTemplateattribute), 291

ui_filters (workfront.versions.unsupported.PortalProfileattribute), 311

ui_filters (workfront.versions.unsupported.User at-tribute), 410

ui_filters (workfront.versions.v40.Customer attribute), 45ui_filters (workfront.versions.v40.LayoutTemplate

attribute), 73ui_filters (workfront.versions.v40.User attribute), 143ui_group_bys (workfront.versions.unsupported.AppGlobal

attribute), 172ui_group_bys (workfront.versions.unsupported.Customer

attribute), 230ui_group_bys (workfront.versions.unsupported.LayoutTemplate

attribute), 291ui_group_bys (workfront.versions.unsupported.PortalProfile

attribute), 311ui_group_bys (workfront.versions.unsupported.User at-

tribute), 410ui_group_bys (workfront.versions.v40.Customer at-

tribute), 45ui_group_bys (workfront.versions.v40.LayoutTemplate

attribute), 73

ui_group_bys (workfront.versions.v40.User attribute),143

ui_obj_code (workfront.versions.unsupported.CallableExpressionattribute), 212

ui_obj_code (workfront.versions.unsupported.PortalSectionattribute), 315

ui_obj_code (workfront.versions.unsupported.ScheduledReportattribute), 356

ui_obj_code (workfront.versions.unsupported.UIFilter at-tribute), 395

ui_obj_code (workfront.versions.unsupported.UIGroupByattribute), 397

ui_obj_code (workfront.versions.unsupported.UIView at-tribute), 399

ui_obj_code (workfront.versions.v40.UIFilter attribute),133

ui_obj_code (workfront.versions.v40.UIGroupBy at-tribute), 135

ui_obj_code (workfront.versions.v40.UIView attribute),136

ui_obj_id (workfront.versions.unsupported.ScheduledReportattribute), 356

ui_views (workfront.versions.unsupported.AppGlobal at-tribute), 172

ui_views (workfront.versions.unsupported.Customer at-tribute), 230

ui_views (workfront.versions.unsupported.LayoutTemplateattribute), 291

ui_views (workfront.versions.unsupported.PortalProfileattribute), 311

ui_views (workfront.versions.unsupported.User at-tribute), 410

ui_views (workfront.versions.v40.Customer attribute), 45ui_views (workfront.versions.v40.LayoutTemplate

attribute), 73ui_views (workfront.versions.v40.User attribute), 143UIFilter (class in workfront.versions.unsupported), 394UIFilter (class in workfront.versions.v40), 132UIGroupBy (class in workfront.versions.unsupported),

395UIGroupBy (class in workfront.versions.v40), 133UIView (class in workfront.versions.unsupported), 397UIView (class in workfront.versions.v40), 135uiview_type (workfront.versions.unsupported.UIView at-

tribute), 399uiview_type (workfront.versions.v40.UIView attribute),

136un_link_users() (workfront.versions.unsupported.UIFilter

method), 395un_link_users() (workfront.versions.unsupported.UIGroupBy

method), 397un_link_users() (workfront.versions.unsupported.UIView

method), 399unaccept_work() (workfront.versions.unsupported.Issue

594 Index

python-workfront Documentation, Release 0.8.0

method), 281unaccept_work() (workfront.versions.unsupported.Task

method), 373unaccept_work() (workfront.versions.v40.Issue method),

67unaccept_work() (workfront.versions.v40.Task method),

119unacknowledge() (work-

front.versions.unsupported.Acknowledgementmethod), 167

unacknowledge() (work-front.versions.unsupported.UserNote method),415

unacknowledged_announcement_count() (work-front.versions.unsupported.UserNote method),415

unacknowledged_count() (work-front.versions.unsupported.UserNote method),415

unapprove() (workfront.versions.unsupported.Hourmethod), 271

unassign() (workfront.versions.unsupported.Issuemethod), 281

unassign() (workfront.versions.unsupported.Taskmethod), 373

unassign() (workfront.versions.v40.Issue method), 68unassign() (workfront.versions.v40.Task method), 119unassign_categories() (work-

front.versions.unsupported.Category method),214

unassign_category() (work-front.versions.unsupported.Category method),214

unassign_occurrences() (work-front.versions.unsupported.Task method),373

unassign_occurrences() (workfront.versions.v40.Taskmethod), 119

unlike() (workfront.versions.unsupported.Endorsementmethod), 256

unlike() (workfront.versions.unsupported.JournalEntrymethod), 287

unlike() (workfront.versions.unsupported.Note method),304

unlike() (workfront.versions.v40.JournalEntry method),72

unlike() (workfront.versions.v40.Note method), 78unlink_customer() (work-

front.versions.unsupported.PortalSectionmethod), 315

unlink_documents() (work-front.versions.unsupported.Document method),240

unlink_folders() (work-

front.versions.unsupported.DocumentFoldermethod), 245

unmark_deleted() (work-front.versions.unsupported.UserNote method),416

unpin_timesheet_object() (work-front.versions.unsupported.Timesheet method),392

Update (class in workfront.versions.unsupported), 399Update (class in workfront.versions.v40), 136update (workfront.versions.unsupported.RecentUpdate

attribute), 343update_actions (workfront.versions.unsupported.Update

attribute), 401update_actions (workfront.versions.v40.Update at-

tribute), 137update_calculated_parameter_values() (work-

front.versions.unsupported.Category method),214

update_calculated_values (work-front.versions.unsupported.CategoryParameterattribute), 217

update_currency() (work-front.versions.unsupported.Customer method),230

update_customer_base() (work-front.versions.unsupported.Customer method),230

update_endorsement (work-front.versions.unsupported.Update attribute),401

update_favorite_name() (work-front.versions.unsupported.Favorite method),266

update_id (workfront.versions.unsupported.RecentUpdateattribute), 343

update_journal_entry (work-front.versions.unsupported.Update attribute),401

update_journal_entry (workfront.versions.v40.Update at-tribute), 137

update_last_viewed_object() (work-front.versions.unsupported.Recent method),341

update_next_survey_on_date() (work-front.versions.unsupported.User method),410

update_note (workfront.versions.unsupported.Update at-tribute), 401

update_note (workfront.versions.v40.Update attribute),137

update_obj (workfront.versions.unsupported.Update at-tribute), 401

update_obj (workfront.versions.v40.Update attribute),

Index 595

python-workfront Documentation, Release 0.8.0

137update_obj_code (work-

front.versions.unsupported.Update attribute),401

update_obj_code (workfront.versions.v40.Update at-tribute), 137

update_obj_id (workfront.versions.unsupported.Updateattribute), 401

update_obj_id (workfront.versions.v40.Update attribute),138

update_proofing_billing_plan() (work-front.versions.unsupported.Customer method),230

update_type (workfront.versions.unsupported.Approvalattribute), 189

update_type (workfront.versions.unsupported.Project at-tribute), 335

update_type (workfront.versions.unsupported.Templateattribute), 381

update_type (workfront.versions.unsupported.Update at-tribute), 401

update_type (workfront.versions.v40.Approval attribute),27

update_type (workfront.versions.v40.Project attribute),95

update_type (workfront.versions.v40.Update attribute),138

updates (workfront.versions.unsupported.Approvalattribute), 189

updates (workfront.versions.unsupported.Issue attribute),281

updates (workfront.versions.unsupported.Project at-tribute), 335

updates (workfront.versions.unsupported.Task attribute),373

updates (workfront.versions.unsupported.Team attribute),375

updates (workfront.versions.unsupported.Templateattribute), 381

updates (workfront.versions.unsupported.User attribute),410

updates (workfront.versions.unsupported.Work attribute),431

updates (workfront.versions.v40.Approval attribute), 27updates (workfront.versions.v40.Issue attribute), 68updates (workfront.versions.v40.Project attribute), 95updates (workfront.versions.v40.Task attribute), 119updates (workfront.versions.v40.Team attribute), 120updates (workfront.versions.v40.User attribute), 143updates (workfront.versions.v40.Work attribute), 155upgrade_build (workfront.versions.unsupported.AppInfo

attribute), 172upgrade_progress() (work-

front.versions.unsupported.Authentication

method), 198upgrade_step (workfront.versions.unsupported.AppInfo

attribute), 172upload_attachments() (work-

front.versions.unsupported.AnnouncementAttachmentmethod), 169

upload_documents() (work-front.versions.unsupported.Document method),240

upload_saml2metadata() (work-front.versions.unsupported.SSOOptionmethod), 352

upload_ssocertificate() (work-front.versions.unsupported.SSOOptionmethod), 352

url (workfront.versions.unsupported.Approval attribute),189

url (workfront.versions.unsupported.ExternalSection at-tribute), 266

url (workfront.versions.unsupported.Issue attribute), 282url (workfront.versions.unsupported.Iteration attribute),

284url (workfront.versions.unsupported.MasterTask at-

tribute), 296url (workfront.versions.unsupported.Project attribute),

335url (workfront.versions.unsupported.Task attribute), 373url (workfront.versions.unsupported.Template attribute),

381url (workfront.versions.unsupported.TemplateTask

attribute), 388url (workfront.versions.unsupported.Work attribute), 431url (workfront.versions.v40.Approval attribute), 27url (workfront.versions.v40.Issue attribute), 68url (workfront.versions.v40.Iteration attribute), 69url (workfront.versions.v40.Project attribute), 95url (workfront.versions.v40.Task attribute), 119url (workfront.versions.v40.TemplateTask attribute), 129url (workfront.versions.v40.Work attribute), 155url_ (workfront.versions.unsupported.Approval attribute),

189url_ (workfront.versions.unsupported.Work attribute),

431url_ (workfront.versions.v40.Approval attribute), 28url_ (workfront.versions.v40.Work attribute), 155usage_report_attempts (work-

front.versions.unsupported.Customer attribute),230

usage_report_attempts (work-front.versions.v40.Customer attribute), 45

use_end_date (workfront.versions.unsupported.RecurrenceRuleattribute), 344

use_external_document_storage (work-front.versions.unsupported.Customer attribute),

596 Index

python-workfront Documentation, Release 0.8.0

231use_external_document_storage (work-

front.versions.v40.Customer attribute), 46User (class in workfront.versions.unsupported), 402User (class in workfront.versions.v40), 138user (workfront.versions.unsupported.AccessRulePreference

attribute), 163user (workfront.versions.unsupported.AccessToken at-

tribute), 166user (workfront.versions.unsupported.AnnouncementOptOut

attribute), 170user (workfront.versions.unsupported.AnnouncementRecipient

attribute), 170user (workfront.versions.unsupported.AuditLoginAsSession

attribute), 196user (workfront.versions.unsupported.AwaitingApproval

attribute), 201user (workfront.versions.unsupported.CalendarInfo at-

tribute), 210user (workfront.versions.unsupported.Document at-

tribute), 241user (workfront.versions.unsupported.DocumentFolder

attribute), 245user (workfront.versions.unsupported.DocumentRequest

attribute), 248user (workfront.versions.unsupported.DocumentShare at-

tribute), 250user (workfront.versions.unsupported.EndorsementShare

attribute), 257user (workfront.versions.unsupported.Favorite attribute),

266user (workfront.versions.unsupported.JournalEntry at-

tribute), 287user (workfront.versions.unsupported.MobileDevice at-

tribute), 299user (workfront.versions.unsupported.NonWorkDay at-

tribute), 300user (workfront.versions.unsupported.Note attribute), 304user (workfront.versions.unsupported.NoteTag attribute),

304user (workfront.versions.unsupported.ParameterValue at-

tribute), 309user (workfront.versions.unsupported.PortalTab at-

tribute), 317user (workfront.versions.unsupported.ProjectUser at-

tribute), 336user (workfront.versions.unsupported.ProjectUserRole

attribute), 336user (workfront.versions.unsupported.Recent attribute),

341user (workfront.versions.unsupported.ReservedTime at-

tribute), 345user (workfront.versions.unsupported.SandboxMigration

attribute), 353

user (workfront.versions.unsupported.StepApprover at-tribute), 362

user (workfront.versions.unsupported.TeamMember at-tribute), 376

user (workfront.versions.unsupported.TeamMemberRoleattribute), 376

user (workfront.versions.unsupported.TemplateUser at-tribute), 389

user (workfront.versions.unsupported.TemplateUserRoleattribute), 389

user (workfront.versions.unsupported.Timesheet at-tribute), 392

user (workfront.versions.unsupported.TimesheetTemplateattribute), 394

user (workfront.versions.unsupported.UserActivity at-tribute), 411

user (workfront.versions.unsupported.UserAvailabilityattribute), 412

user (workfront.versions.unsupported.UserGroupsattribute), 413

user (workfront.versions.unsupported.UserNote at-tribute), 416

user (workfront.versions.unsupported.UserObjectPref at-tribute), 416

user (workfront.versions.unsupported.UserPrefValue at-tribute), 417

user (workfront.versions.unsupported.UserResource at-tribute), 418

user (workfront.versions.unsupported.WatchListEntry at-tribute), 419

user (workfront.versions.unsupported.WorkItem at-tribute), 433

user (workfront.versions.v40.Document attribute), 49user (workfront.versions.v40.DocumentFolder attribute),

51user (workfront.versions.v40.Favorite attribute), 56user (workfront.versions.v40.JournalEntry attribute), 72user (workfront.versions.v40.NonWorkDay attribute), 75user (workfront.versions.v40.Note attribute), 78user (workfront.versions.v40.NoteTag attribute), 79user (workfront.versions.v40.ProjectUser attribute), 96user (workfront.versions.v40.ProjectUserRole attribute),

96user (workfront.versions.v40.ReservedTime attribute), 99user (workfront.versions.v40.StepApprover attribute),

108user (workfront.versions.v40.TeamMember attribute),

121user (workfront.versions.v40.TemplateUser attribute),

130user (workfront.versions.v40.TemplateUserRole at-

tribute), 130user (workfront.versions.v40.Timesheet attribute), 132user (workfront.versions.v40.UserActivity attribute), 144

Index 597

python-workfront Documentation, Release 0.8.0

user (workfront.versions.v40.UserNote attribute), 145user (workfront.versions.v40.UserPrefValue attribute),

145user (workfront.versions.v40.WorkItem attribute), 156user_activities (workfront.versions.unsupported.User at-

tribute), 410user_activities (workfront.versions.v40.User attribute),

143user_display (workfront.versions.unsupported.AuditLoginAsSession

attribute), 196user_first_name (work-

front.versions.unsupported.AnnouncementOptOutattribute), 170

user_groups (workfront.versions.unsupported.Group at-tribute), 269

user_groups (workfront.versions.unsupported.Userattribute), 410

user_guid (workfront.versions.unsupported.CustomerFeedbackattribute), 231

user_home_team (work-front.versions.unsupported.UserResourceattribute), 418

user_id (workfront.Session attribute), 9user_id (workfront.versions.unsupported.AccessRulePreference

attribute), 163user_id (workfront.versions.unsupported.AccessToken

attribute), 166user_id (workfront.versions.unsupported.AnnouncementOptOut

attribute), 170user_id (workfront.versions.unsupported.AnnouncementRecipient

attribute), 171user_id (workfront.versions.unsupported.AuditLoginAsSession

attribute), 196user_id (workfront.versions.unsupported.AwaitingApproval

attribute), 201user_id (workfront.versions.unsupported.CalendarInfo

attribute), 210user_id (workfront.versions.unsupported.Document at-

tribute), 241user_id (workfront.versions.unsupported.DocumentFolder

attribute), 245user_id (workfront.versions.unsupported.DocumentRequest

attribute), 248user_id (workfront.versions.unsupported.DocumentShare

attribute), 250user_id (workfront.versions.unsupported.DocumentTaskStatus

attribute), 250user_id (workfront.versions.unsupported.EndorsementShare

attribute), 257user_id (workfront.versions.unsupported.Favorite at-

tribute), 266user_id (workfront.versions.unsupported.JournalEntry at-

tribute), 287user_id (workfront.versions.unsupported.NonWorkDay

attribute), 300user_id (workfront.versions.unsupported.Note attribute),

304user_id (workfront.versions.unsupported.NoteTag at-

tribute), 304user_id (workfront.versions.unsupported.ParameterValue

attribute), 310user_id (workfront.versions.unsupported.PortalTab at-

tribute), 317user_id (workfront.versions.unsupported.ProjectUser at-

tribute), 336user_id (workfront.versions.unsupported.ProjectUserRole

attribute), 336user_id (workfront.versions.unsupported.Recent at-

tribute), 341user_id (workfront.versions.unsupported.RecentUpdate

attribute), 343user_id (workfront.versions.unsupported.ReservedTime

attribute), 345user_id (workfront.versions.unsupported.SandboxMigration

attribute), 353user_id (workfront.versions.unsupported.SSOUsername

attribute), 352user_id (workfront.versions.unsupported.StepApprover

attribute), 362user_id (workfront.versions.unsupported.TeamMember

attribute), 376user_id (workfront.versions.unsupported.TeamMemberRole

attribute), 376user_id (workfront.versions.unsupported.TemplateUser

attribute), 389user_id (workfront.versions.unsupported.TemplateUserRole

attribute), 389user_id (workfront.versions.unsupported.Timesheet at-

tribute), 392user_id (workfront.versions.unsupported.TimesheetTemplate

attribute), 394user_id (workfront.versions.unsupported.UserActivity at-

tribute), 411user_id (workfront.versions.unsupported.UserAvailability

attribute), 412user_id (workfront.versions.unsupported.UserGroups at-

tribute), 413user_id (workfront.versions.unsupported.UserNote

attribute), 416user_id (workfront.versions.unsupported.UserObjectPref

attribute), 416user_id (workfront.versions.unsupported.UserPrefValue

attribute), 417user_id (workfront.versions.unsupported.UsersSections

attribute), 419user_id (workfront.versions.unsupported.WatchListEntry

attribute), 419user_id (workfront.versions.unsupported.WorkItem at-

598 Index

python-workfront Documentation, Release 0.8.0

tribute), 433user_id (workfront.versions.v40.Document attribute), 49user_id (workfront.versions.v40.DocumentFolder at-

tribute), 51user_id (workfront.versions.v40.Favorite attribute), 56user_id (workfront.versions.v40.JournalEntry attribute),

72user_id (workfront.versions.v40.NonWorkDay attribute),

75user_id (workfront.versions.v40.Note attribute), 79user_id (workfront.versions.v40.NoteTag attribute), 79user_id (workfront.versions.v40.ProjectUser attribute),

96user_id (workfront.versions.v40.ProjectUserRole at-

tribute), 96user_id (workfront.versions.v40.ReservedTime attribute),

99user_id (workfront.versions.v40.StepApprover attribute),

108user_id (workfront.versions.v40.TeamMember attribute),

121user_id (workfront.versions.v40.TemplateUser attribute),

130user_id (workfront.versions.v40.TemplateUserRole at-

tribute), 130user_id (workfront.versions.v40.Timesheet attribute), 132user_id (workfront.versions.v40.UserActivity attribute),

144user_id (workfront.versions.v40.UserNote attribute), 145user_id (workfront.versions.v40.UserPrefValue attribute),

145user_id (workfront.versions.v40.WorkItem attribute), 157user_ids (workfront.versions.unsupported.ScheduledReport

attribute), 356user_invite_config_map (work-

front.versions.unsupported.Customer attribute),231

user_invite_config_map_id (work-front.versions.unsupported.Customer attribute),231

user_invite_config_map_id (work-front.versions.v40.Customer attribute), 46

user_last_name (workfront.versions.unsupported.AnnouncementOptOutattribute), 170

user_notable_id (work-front.versions.unsupported.UserNote attribute),416

user_notable_obj_code (work-front.versions.unsupported.UserNote attribute),416

user_notes (workfront.versions.v40.User attribute), 143user_pref_values (workfront.versions.unsupported.User

attribute), 410user_pref_values (workfront.versions.v40.User attribute),

143user_primary_role (work-

front.versions.unsupported.UserResourceattribute), 418

UserActivity (class in workfront.versions.unsupported),411

UserActivity (class in workfront.versions.v40), 143UserAvailability (class in work-

front.versions.unsupported), 411UserDelegation (class in work-

front.versions.unsupported), 412UserGroups (class in workfront.versions.unsupported),

412username (workfront.versions.unsupported.AccountRep

attribute), 166username (workfront.versions.unsupported.User at-

tribute), 410username (workfront.versions.v40.User attribute), 143UserNote (class in workfront.versions.unsupported), 413UserNote (class in workfront.versions.v40), 144UserObjectPref (class in work-

front.versions.unsupported), 416UserPrefValue (class in workfront.versions.unsupported),

417UserPrefValue (class in workfront.versions.v40), 145UserResource (class in workfront.versions.unsupported),

417users (workfront.versions.unsupported.HourType at-

tribute), 272users (workfront.versions.unsupported.ResourcePool at-

tribute), 346users (workfront.versions.unsupported.ScheduledReport

attribute), 356users (workfront.versions.unsupported.Team attribute),

375users (workfront.versions.unsupported.UIFilter attribute),

395users (workfront.versions.v40.HourType attribute), 61users (workfront.versions.v40.ResourcePool attribute),

101users (workfront.versions.v40.Team attribute), 120users (workfront.versions.v40.UIFilter attribute), 133UsersSections (class in workfront.versions.unsupported),

418

Vvalidate_callable_expression() (work-

front.versions.unsupported.CallableExpressionmethod), 212

validate_custom_expression() (work-front.versions.unsupported.Category method),214

validate_re_captcha() (work-front.versions.unsupported.User method),

Index 599

python-workfront Documentation, Release 0.8.0

410value (workfront.versions.unsupported.AccessToken at-

tribute), 166value (workfront.versions.unsupported.CategoryCascadeRuleMatch

attribute), 216value (workfront.versions.unsupported.CustomEnum at-

tribute), 220value (workfront.versions.unsupported.CustomerPreferences

attribute), 232value (workfront.versions.unsupported.ParameterOption

attribute), 308value (workfront.versions.unsupported.Preference at-

tribute), 320value (workfront.versions.unsupported.ScoreCardOption

attribute), 359value (workfront.versions.unsupported.UserActivity at-

tribute), 411value (workfront.versions.unsupported.UserObjectPref

attribute), 416value (workfront.versions.unsupported.UserPrefValue at-

tribute), 417value (workfront.versions.v40.CustomEnum attribute),

41value (workfront.versions.v40.CustomerPreferences at-

tribute), 46value (workfront.versions.v40.ParameterOption at-

tribute), 81value (workfront.versions.v40.ScoreCardOption at-

tribute), 107value (workfront.versions.v40.UserActivity attribute),

144value (workfront.versions.v40.UserPrefValue attribute),

145value_as_int (workfront.versions.unsupported.CustomEnum

attribute), 220value_as_int (workfront.versions.v40.CustomEnum at-

tribute), 41value_as_string (workfront.versions.unsupported.CustomEnum

attribute), 220value_as_string (workfront.versions.v40.CustomEnum

attribute), 41variance_expense_cost (work-

front.versions.unsupported.FinancialDataattribute), 268

variance_expense_cost (work-front.versions.v40.FinancialData attribute),58

variance_labor_cost (work-front.versions.unsupported.FinancialDataattribute), 268

variance_labor_cost (work-front.versions.v40.FinancialData attribute),58

variance_labor_cost_hours (work-

front.versions.unsupported.FinancialDataattribute), 268

variance_labor_cost_hours (work-front.versions.v40.FinancialData attribute),58

variance_labor_revenue (work-front.versions.unsupported.FinancialDataattribute), 268

variance_labor_revenue (work-front.versions.v40.FinancialData attribute),58

version (workfront.versions.unsupported.Approvalattribute), 189

version (workfront.versions.unsupported.DocumentVersionattribute), 252

version (workfront.versions.unsupported.Issue attribute),282

version (workfront.versions.unsupported.Project at-tribute), 335

version (workfront.versions.unsupported.Task attribute),373

version (workfront.versions.unsupported.Templateattribute), 381

version (workfront.versions.unsupported.Work attribute),431

version (workfront.versions.v40.Approval attribute), 28version (workfront.versions.v40.DocumentVersion

attribute), 52version (workfront.versions.v40.Project attribute), 95version (workfront.versions.v40.Template attribute), 124versions (workfront.versions.unsupported.Document at-

tribute), 241versions (workfront.versions.v40.Document attribute), 49view (workfront.versions.unsupported.ExternalSection

attribute), 266view (workfront.versions.unsupported.PortalSection at-

tribute), 315view_control (workfront.versions.unsupported.PortalSection

attribute), 315view_id (workfront.versions.unsupported.ExternalSection

attribute), 266view_id (workfront.versions.unsupported.PortalSection

attribute), 315view_security_level (work-

front.versions.unsupported.CategoryParameterattribute), 217

view_security_level (work-front.versions.v40.CategoryParameter at-tribute), 39

virus_scan (workfront.versions.unsupported.DocumentVersionattribute), 252

virus_scan_timestamp (work-front.versions.unsupported.DocumentVersionattribute), 252

600 Index

python-workfront Documentation, Release 0.8.0

visible_op_task_fields (work-front.versions.unsupported.QueueDef at-tribute), 338

visible_op_task_fields (work-front.versions.v40.QueueDef attribute), 97

Wwatch_list (workfront.versions.unsupported.User at-

tribute), 410watchable_obj_code (work-

front.versions.unsupported.WatchListEntryattribute), 419

watchable_obj_id (work-front.versions.unsupported.WatchListEntryattribute), 419

WatchListEntry (class in work-front.versions.unsupported), 419

wbs (workfront.versions.unsupported.Approval attribute),189

wbs (workfront.versions.unsupported.Task attribute), 373wbs (workfront.versions.unsupported.Work attribute),

431wbs (workfront.versions.v40.Approval attribute), 28wbs (workfront.versions.v40.Task attribute), 119wbs (workfront.versions.v40.Work attribute), 155web_davprofile (workfront.versions.unsupported.User at-

tribute), 410web_davprofile (workfront.versions.v40.User attribute),

143web_hook_expiration_date (work-

front.versions.unsupported.DocumentProviderattribute), 246

wednesday (workfront.versions.unsupported.Schedule at-tribute), 355

wednesday (workfront.versions.v40.Schedule attribute),105

weight (workfront.versions.unsupported.ScoreCardQuestionattribute), 359

weight (workfront.versions.v40.ScoreCardQuestion at-tribute), 108

welcome_email_addresses (work-front.versions.v40.Customer attribute), 46

whats_new_types (work-front.versions.unsupported.WhatsNew at-tribute), 420

WhatsNew (class in workfront.versions.unsupported),419

who_accessed_user() (work-front.versions.unsupported.AuditLoginAsSessionmethod), 197

width (workfront.versions.unsupported.PortalSection at-tribute), 315

wild_card (workfront.versions.unsupported.StepApproverattribute), 362

wild_card (workfront.versions.v40.StepApprover at-tribute), 108

wildcard_user (workfront.versions.unsupported.ApproverStatusattribute), 194

wildcard_user (workfront.versions.v40.ApproverStatusattribute), 31

wildcard_user_id (work-front.versions.unsupported.ApproverStatusattribute), 194

wildcard_user_id (work-front.versions.v40.ApproverStatus attribute),31

window (workfront.versions.unsupported.CustomMenuattribute), 221

Work (class in workfront.versions.unsupported), 420Work (class in workfront.versions.v40), 145work (workfront.versions.unsupported.Approval at-

tribute), 189work (workfront.versions.unsupported.Assignment at-

tribute), 195work (workfront.versions.unsupported.Task attribute),

373work (workfront.versions.unsupported.TemplateAssignment

attribute), 382work (workfront.versions.unsupported.TemplateTask at-

tribute), 388work (workfront.versions.unsupported.Work attribute),

431work (workfront.versions.v40.Approval attribute), 28work (workfront.versions.v40.Assignment attribute), 32work (workfront.versions.v40.Task attribute), 119work (workfront.versions.v40.TemplateTask attribute),

129work (workfront.versions.v40.Work attribute), 155work_item (workfront.versions.unsupported.Approval at-

tribute), 189work_item (workfront.versions.unsupported.Assignment

attribute), 195work_item (workfront.versions.unsupported.Issue at-

tribute), 282work_item (workfront.versions.unsupported.Task at-

tribute), 373work_item (workfront.versions.unsupported.Work

attribute), 431work_item (workfront.versions.v40.Approval attribute),

28work_item (workfront.versions.v40.Assignment at-

tribute), 32work_item (workfront.versions.v40.Issue attribute), 68work_item (workfront.versions.v40.Task attribute), 119work_item (workfront.versions.v40.Work attribute), 155work_items (workfront.versions.unsupported.User

attribute), 411work_items (workfront.versions.v40.User attribute), 143

Index 601

python-workfront Documentation, Release 0.8.0

work_required (workfront.versions.unsupported.Approvalattribute), 189

work_required (workfront.versions.unsupported.Assignmentattribute), 195

work_required (workfront.versions.unsupported.Baselineattribute), 204

work_required (workfront.versions.unsupported.BaselineTaskattribute), 206

work_required (workfront.versions.unsupported.Issue at-tribute), 282

work_required (workfront.versions.unsupported.MasterTaskattribute), 296

work_required (workfront.versions.unsupported.Projectattribute), 335

work_required (workfront.versions.unsupported.Task at-tribute), 373

work_required (workfront.versions.unsupported.Templateattribute), 381

work_required (workfront.versions.unsupported.TemplateAssignmentattribute), 383

work_required (workfront.versions.unsupported.TemplateTaskattribute), 388

work_required (workfront.versions.unsupported.Work at-tribute), 431

work_required (workfront.versions.v40.Approval at-tribute), 28

work_required (workfront.versions.v40.Assignment at-tribute), 32

work_required (workfront.versions.v40.Baseline at-tribute), 35

work_required (workfront.versions.v40.BaselineTask at-tribute), 36

work_required (workfront.versions.v40.Issue attribute),68

work_required (workfront.versions.v40.Project attribute),95

work_required (workfront.versions.v40.Task attribute),119

work_required (workfront.versions.v40.Template at-tribute), 124

work_required (workfront.versions.v40.TemplateAssignmentattribute), 125

work_required (workfront.versions.v40.TemplateTask at-tribute), 130

work_required (workfront.versions.v40.Work attribute),155

work_required_expression (work-front.versions.unsupported.Approval attribute),189

work_required_expression (work-front.versions.unsupported.Issue attribute),282

work_required_expression (work-front.versions.unsupported.Project attribute),

335work_required_expression (work-

front.versions.unsupported.Task attribute),374

work_required_expression (work-front.versions.unsupported.TemplateTaskattribute), 388

work_required_expression (work-front.versions.unsupported.Work attribute),431

work_required_expression (work-front.versions.v40.Approval attribute), 28

work_required_expression (workfront.versions.v40.Issueattribute), 68

work_required_expression (work-front.versions.v40.Project attribute), 95

work_required_expression (workfront.versions.v40.Taskattribute), 119

work_required_expression (workfront.versions.v40.Workattribute), 155

work_unit (workfront.versions.unsupported.Approval at-tribute), 189

work_unit (workfront.versions.unsupported.Assignmentattribute), 195

work_unit (workfront.versions.unsupported.Task at-tribute), 374

work_unit (workfront.versions.unsupported.TemplateAssignmentattribute), 383

work_unit (workfront.versions.unsupported.TemplateTaskattribute), 389

work_unit (workfront.versions.unsupported.Work at-tribute), 431

work_unit (workfront.versions.v40.Approval attribute),28

work_unit (workfront.versions.v40.Assignment at-tribute), 32

work_unit (workfront.versions.v40.Task attribute), 119work_unit (workfront.versions.v40.TemplateAssignment

attribute), 125work_unit (workfront.versions.v40.TemplateTask at-

tribute), 130work_unit (workfront.versions.v40.Work attribute), 155workfront.meta (module), 11workfront.session (module), 10workfront.versions.unsupported (module), 157workfront.versions.v40 (module), 12WorkfrontAPIError, 11working_days (workfront.versions.unsupported.UserResource

attribute), 418WorkItem (class in workfront.versions.unsupported), 431WorkItem (class in workfront.versions.v40), 155

Zzip_announcement_attachments() (work-

602 Index

python-workfront Documentation, Release 0.8.0

front.versions.unsupported.Announcementmethod), 168

zip_document_versions() (work-front.versions.unsupported.Document method),241

zip_documents() (work-front.versions.unsupported.Document method),241

zip_documents_versions() (work-front.versions.unsupported.Document method),241

Index 603